diff options
Diffstat (limited to 'core')
91 files changed, 1018 insertions, 1322 deletions
diff --git a/core/ajax/vcategories/add.php b/core/ajax/vcategories/add.php deleted file mode 100644 index 16a1461be08..00000000000 --- a/core/ajax/vcategories/add.php +++ /dev/null @@ -1,42 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/add.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/add.php: '.$msg, OC_Log::DEBUG); -} - -OCP\JSON::checkLoggedIn(); -OCP\JSON::callCheck(); - -$l = OC_L10N::get('core'); - -$category = isset($_POST['category']) ? strip_tags($_POST['category']) : null; -$type = isset($_POST['type']) ? $_POST['type'] : null; - -if(is_null($type)) { - bailOut($l->t('Category type not provided.')); -} - -if(is_null($category)) { - bailOut($l->t('No category to add?')); -} - -debug(print_r($category, true)); - -$categories = new OC_VCategories($type); -if($categories->hasCategory($category)) { - bailOut($l->t('This category already exists: %s', array($category))); -} else { - $categories->add($category, true); -} - -OC_JSON::success(array('data' => array('categories'=>$categories->categories()))); diff --git a/core/ajax/vcategories/addToFavorites.php b/core/ajax/vcategories/addToFavorites.php deleted file mode 100644 index 52f62d5fc6b..00000000000 --- a/core/ajax/vcategories/addToFavorites.php +++ /dev/null @@ -1,38 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/addToFavorites.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/addToFavorites.php: '.$msg, OC_Log::DEBUG); -} - -OCP\JSON::checkLoggedIn(); -OCP\JSON::callCheck(); - -$l = OC_L10N::get('core'); - -$id = isset($_POST['id']) ? strip_tags($_POST['id']) : null; -$type = isset($_POST['type']) ? $_POST['type'] : null; - -if(is_null($type)) { - bailOut($l->t('Object type not provided.')); -} - -if(is_null($id)) { - bailOut($l->t('%s ID not provided.', $type)); -} - -$categories = new OC_VCategories($type); -if(!$categories->addToFavorites($id, $type)) { - bailOut($l->t('Error adding %s to favorites.', $id)); -} - -OC_JSON::success(); diff --git a/core/ajax/vcategories/delete.php b/core/ajax/vcategories/delete.php deleted file mode 100644 index dfec3785743..00000000000 --- a/core/ajax/vcategories/delete.php +++ /dev/null @@ -1,40 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ - -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/delete.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/delete.php: '.$msg, OC_Log::DEBUG); -} - -OCP\JSON::checkLoggedIn(); -OCP\JSON::callCheck(); - -$l = OC_L10N::get('core'); - -$type = isset($_POST['type']) ? $_POST['type'] : null; -$categories = isset($_POST['categories']) ? $_POST['categories'] : null; - -if(is_null($type)) { - bailOut($l->t('Object type not provided.')); -} - -debug('The application using category type "' - . $type - . '" uses the default file for deletion. OC_VObjects will not be updated.'); - -if(is_null($categories)) { - bailOut($l->t('No categories selected for deletion.')); -} - -$vcategories = new OC_VCategories($type); -$vcategories->delete($categories); -OC_JSON::success(array('data' => array('categories'=>$vcategories->categories()))); diff --git a/core/ajax/vcategories/edit.php b/core/ajax/vcategories/edit.php deleted file mode 100644 index 0387b17576c..00000000000 --- a/core/ajax/vcategories/edit.php +++ /dev/null @@ -1,34 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ - -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/edit.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/edit.php: '.$msg, OC_Log::DEBUG); -} - -OC_JSON::checkLoggedIn(); - -$l = OC_L10N::get('core'); - -$type = isset($_GET['type']) ? $_GET['type'] : null; - -if(is_null($type)) { - bailOut($l->t('Category type not provided.')); -} - -$tmpl = new OCP\Template("core", "edit_categories_dialog"); - -$vcategories = new OC_VCategories($type); -$categories = $vcategories->categories(); -debug(print_r($categories, true)); -$tmpl->assign('categories', $categories); -$tmpl->printpage(); diff --git a/core/ajax/vcategories/favorites.php b/core/ajax/vcategories/favorites.php deleted file mode 100644 index db4244d601a..00000000000 --- a/core/ajax/vcategories/favorites.php +++ /dev/null @@ -1,30 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/addToFavorites.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/addToFavorites.php: '.$msg, OC_Log::DEBUG); -} - -OCP\JSON::checkLoggedIn(); -OCP\JSON::callCheck(); - -$type = isset($_GET['type']) ? $_GET['type'] : null; - -if(is_null($type)) { - $l = OC_L10N::get('core'); - bailOut($l->t('Object type not provided.')); -} - -$categories = new OC_VCategories($type); -$ids = $categories->getFavorites($type); - -OC_JSON::success(array('ids' => $ids)); diff --git a/core/ajax/vcategories/removeFromFavorites.php b/core/ajax/vcategories/removeFromFavorites.php deleted file mode 100644 index 78a528caa86..00000000000 --- a/core/ajax/vcategories/removeFromFavorites.php +++ /dev/null @@ -1,38 +0,0 @@ -<?php -/** - * Copyright (c) 2012 Thomas Tanghus <thomas@tanghus.net> - * This file is licensed under the Affero General Public License version 3 or - * later. - * See the COPYING-README file. - */ -function bailOut($msg) { - OC_JSON::error(array('data' => array('message' => $msg))); - OC_Log::write('core', 'ajax/vcategories/removeFromFavorites.php: '.$msg, OC_Log::DEBUG); - exit(); -} -function debug($msg) { - OC_Log::write('core', 'ajax/vcategories/removeFromFavorites.php: '.$msg, OC_Log::DEBUG); -} - -OCP\JSON::checkLoggedIn(); -OCP\JSON::callCheck(); - -$l = OC_L10N::get('core'); - -$id = isset($_POST['id']) ? strip_tags($_POST['id']) : null; -$type = isset($_POST['type']) ? $_POST['type'] : null; - -if(is_null($type)) { - bailOut($l->t('Object type not provided.')); -} - -if(is_null($id)) { - bailOut($l->t('%s ID not provided.', array($type))); -} - -$categories = new OC_VCategories($type); -if(!$categories->removeFromFavorites($id, $type)) { - bailOut($l->t('Error removing %s from favorites.', array($id))); -} - -OC_JSON::success(); diff --git a/core/css/jquery.ocdialog.css b/core/css/jquery.ocdialog.css index aa72eaf8474..236968e3245 100644 --- a/core/css/jquery.ocdialog.css +++ b/core/css/jquery.ocdialog.css @@ -29,6 +29,7 @@ bottom: 0; display: block; margin-top: 10px; + width: 100%; } .oc-dialog-close { diff --git a/core/css/styles.css b/core/css/styles.css index 728fd47bc9f..b919660779e 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -748,20 +748,27 @@ a.bookmarklet { background-color:#ddd; border:1px solid #ccc; padding:5px;paddin span.ui-icon {float: left; margin: 3px 7px 30px 0;} .loading { background: url('../img/loading.gif') no-repeat center; cursor: wait; } +.loading-small { background: url('../img/loading-small.gif') no-repeat center; cursor: wait; } .move2trash { /* decrease spinner size */ width: 16px; height: 16px; } - -/* ---- CATEGORIES ---- */ -#categoryform .scrollarea { position:absolute; left:10px; top:10px; right:10px; bottom:50px; overflow:auto; border:1px solid #ddd; background:#f8f8f8; } -#categoryform .bottombuttons { position:absolute; bottom:10px;} -#categoryform .bottombuttons * { float:left;} -/*#categorylist { border:1px solid #ddd;}*/ -#categorylist li { background:#f8f8f8; padding:.3em .8em; white-space:nowrap; overflow:hidden; text-overflow:ellipsis; -webkit-transition:background-color 500ms; -moz-transition:background-color 500ms; -o-transition:background-color 500ms; transition:background-color 500ms; } -#categorylist li:hover, #categorylist li:active { background:#eee; } -#category_addinput { width:10em; } +/* ---- TAGS ---- */ +#tagsdialog .content { + width: 100%; height: 280px; +} +#tagsdialog .scrollarea { + overflow:auto; border:1px solid #ddd; + width: 100%; height: 240px; +} +#tagsdialog .bottombuttons { + width: 100%; height: 30px; +} +#tagsdialog .bottombuttons * { float:left;} +#tagsdialog .taglist li { background:#f8f8f8; padding:.3em .8em; white-space:nowrap; overflow:hidden; text-overflow:ellipsis; -webkit-transition:background-color 500ms; -moz-transition:background-color 500ms; -o-transition:background-color 500ms; transition:background-color 500ms; } +#tagsdialog .taglist li:hover, #tagsdialog .taglist li:active { background:#eee; } +#tagsdialog .addinput { width: 90%; clear: both; } /* ---- APP SETTINGS ---- */ .popup { background-color:white; border-radius:10px 10px 10px 10px; box-shadow:0 0 20px #888; color:#333; padding:10px; position:fixed !important; z-index:100; } diff --git a/core/img/loading-small.gif b/core/img/loading-small.gif Binary files differnew file mode 100644 index 00000000000..5025f0bedeb --- /dev/null +++ b/core/img/loading-small.gif diff --git a/core/js/jquery-showpassword.js b/core/js/jquery-showpassword.js index e1737643b48..a4373ec82bf 100644 --- a/core/js/jquery-showpassword.js +++ b/core/js/jquery-showpassword.js @@ -38,7 +38,11 @@ 'tabindex' : $element.attr('tabindex'), 'autocomplete' : 'off' }); - + + if($element.attr('placeholder') !== undefined) { + $clone.attr('placeholder', $element.attr('placeholder')); + } + return $clone; }; diff --git a/core/js/js.js b/core/js/js.js index b7f7ff1ac15..c17e3fa2959 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -746,15 +746,7 @@ $(document).ready(function(){ }); var setShowPassword = function(input, label) { - input.showPassword().keyup(function(){ - if (input.val().length == 0) { - label.hide(); - } - else { - label.css("display", "inline").show(); - } - }); - label.hide(); + input.showPassword().keyup(); }; setShowPassword($('#adminpass'), $('label[for=show]')); setShowPassword($('#pass2'), $('label[for=personal-show]')); diff --git a/core/js/oc-vcategories.js b/core/js/oc-vcategories.js deleted file mode 100644 index c297a24680d..00000000000 --- a/core/js/oc-vcategories.js +++ /dev/null @@ -1,216 +0,0 @@ -var OCCategories= { - category_favorites:'_$!<Favorite>!$_', - edit:function(type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - $('body').append('<div id="category_dialog"></div>'); - $('#category_dialog').load( - OC.filePath('core', 'ajax', 'vcategories/edit.php') + '?type=' + type, function(response) { - try { - var jsondata = jQuery.parseJSON(response); - if(response.status == 'error') { - OC.dialogs.alert(response.data.message, t('core', 'Error')); - return; - } - } catch(e) { - var setEnabled = function(d, enable) { - if(enable) { - d.css('cursor', 'default').find('input,button:not(#category_addbutton)') - .prop('disabled', false).css('cursor', 'default'); - } else { - d.css('cursor', 'wait').find('input,button:not(#category_addbutton)') - .prop('disabled', true).css('cursor', 'wait'); - } - }; - var dlg = $('#edit_categories_dialog').dialog({ - modal: true, - height: 350, minHeight:200, width: 250, minWidth: 200, - buttons: { - 'Close': function() { - $(this).dialog('close'); - }, - 'Delete':function() { - var categories = $('#categorylist').find('input:checkbox').serialize(); - setEnabled(dlg, false); - OCCategories.doDelete(categories, function() { - setEnabled(dlg, true); - }); - }, - 'Rescan':function() { - setEnabled(dlg, false); - OCCategories.rescan(function() { - setEnabled(dlg, true); - }); - } - }, - close : function(event, ui) { - $(this).dialog('destroy').remove(); - $('#category_dialog').remove(); - }, - open : function(event, ui) { - $('#category_addinput').on('input',function() { - if($(this).val().length > 0) { - $('#category_addbutton').removeAttr('disabled'); - } - }); - $('#categoryform').submit(function() { - OCCategories.add($('#category_addinput').val()); - $('#category_addinput').val(''); - $('#category_addbutton').attr('disabled', 'disabled'); - return false; - }); - $('#category_addbutton').on('click',function(e) { - e.preventDefault(); - if($('#category_addinput').val().length > 0) { - OCCategories.add($('#category_addinput').val()); - $('#category_addinput').val(''); - } - }); - } - }); - } - }); - }, - _processDeleteResult:function(jsondata) { - if(jsondata.status == 'success') { - OCCategories._update(jsondata.data.categories); - } else { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - }, - favorites:function(type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - $.getJSON(OC.filePath('core', 'ajax', 'categories/favorites.php'), {type: type},function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - if(jsondata.status === 'success') { - OCCategories._update(jsondata.data.categories); - } else { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - } - }); - }, - addToFavorites:function(id, type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - $.post(OC.filePath('core', 'ajax', 'vcategories/addToFavorites.php'), {id:id, type:type}, function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - if(jsondata.status !== 'success') { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - } - }); - }, - removeFromFavorites:function(id, type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - $.post(OC.filePath('core', 'ajax', 'vcategories/removeFromFavorites.php'), {id:id, type:type}, function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - if(jsondata.status !== 'success') { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - } - }); - }, - doDelete:function(categories, type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - if(categories == '' || categories == undefined) { - OC.dialogs.alert(t('core', 'No categories selected for deletion.'), t('core', 'Error')); - return false; - } - var self = this; - var q = categories + '&type=' + type; - if(this.app) { - q += '&app=' + this.app; - $.post(OC.filePath(this.app, 'ajax', 'categories/delete.php'), q, function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - self._processDeleteResult(jsondata); - } - }); - } else { - $.post(OC.filePath('core', 'ajax', 'vcategories/delete.php'), q, function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - self._processDeleteResult(jsondata); - } - }); - } - }, - add:function(category, type, cb) { - if(!type && !this.type) { - throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; - } - type = type ? type : this.type; - $.post(OC.filePath('core', 'ajax', 'vcategories/add.php'),{'category':category, 'type':type},function(jsondata) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - if(jsondata.status === 'success') { - OCCategories._update(jsondata.data.categories); - } else { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - } - }); - }, - rescan:function(app, cb) { - if(!app && !this.app) { - throw { name: 'MissingParameter', message: t('core', 'The app name is not specified.') }; - } - app = app ? app : this.app; - $.getJSON(OC.filePath(app, 'ajax', 'categories/rescan.php'),function(jsondata, status, xhr) { - if(typeof cb == 'function') { - cb(jsondata); - } else { - if(jsondata.status === 'success') { - OCCategories._update(jsondata.data.categories); - } else { - OC.dialogs.alert(jsondata.data.message, t('core', 'Error')); - } - } - }).error(function(xhr){ - if (xhr.status == 404) { - var errormessage = t('core', 'The required file {file} is not installed!', - {file: OC.filePath(app, 'ajax', 'categories/rescan.php')}, t('core', 'Error')); - if(typeof cb == 'function') { - cb({status:'error', data:{message:errormessage}}); - } else { - OC.dialogs.alert(errormessage, t('core', 'Error')); - } - } - }); - }, - _update:function(categories) { - var categorylist = $('#categorylist'); - categorylist.find('li').remove(); - for(var category in categories) { - var item = '<li><input type="checkbox" name="categories" value="' + categories[category] + '" />' + categories[category] + '</li>'; - $(item).appendTo(categorylist); - } - if(typeof OCCategories.changed === 'function') { - OCCategories.changed(categories); - } - } -} - diff --git a/core/js/oc-vcategories.txt b/core/js/oc-vcategories.txt deleted file mode 100644 index 31216f80bd3..00000000000 --- a/core/js/oc-vcategories.txt +++ /dev/null @@ -1,33 +0,0 @@ -Using OCCategories - -This 'class' is meant for any apps that uses OC_VObjects with the CATEGORIES field e.g. -Contacts and Calendar. It provides an editor UI for adding/deleting and rescanning categories -and basic ajax functions for adding and deleting. -To use the mass updating of OC_VObjects that /lib/vcategories.php provides, the app must implement -its own ajax functions in /apps/$(APP)/ajax/categories/rescan.php and /apps/$(APP)/ajax/categories/delete.php -See examples in /apps/contacts/ajax/categories and the inline docs in /lib/vcategories.php. - -In your app make sure you load the script and stylesheet: - -OC_Util::addScript('','oc-vcategories'); -OC_Util::addStyle('','oc-vcategories'); - -Set the app specific values in your javascript file. This is what I've used for the Contacts app: - - OCCategories.app = 'contacts'; - OCCategories.changed = Contacts.UI.Card.categoriesChanged; - -If OCCategories.changed is set that function will be called each time the categories have been changed -in the editor (add/delete/rescan) to allow the app to update the UI accordingly. The only argument to the function -is an array of the updated categories e.g.: - -OCCategories.changed = function(categories) { - for(var category in categories) { - console.log(categories[category]); - } -} - -To show the categories editor call: - - OCCategories.edit() - diff --git a/core/js/setup.js b/core/js/setup.js index 62f313fc501..0863be35886 100644 --- a/core/js/setup.js +++ b/core/js/setup.js @@ -9,8 +9,7 @@ $(document).ready(function() { }; $('#selectDbType').buttonset(); - $('#datadirContent').hide(250); - $('#databaseField').hide(250); + if($('#hasSQLite').val()){ $('#use_other_db').hide(); $('#use_oracle_db').hide(); @@ -23,12 +22,7 @@ $(document).ready(function() { $('#use_oracle_db').slideUp(250); }); - $('#mysql').click(function() { - $('#use_other_db').slideDown(250); - $('#use_oracle_db').slideUp(250); - }); - - $('#pgsql').click(function() { + $('#mysql,#pgsql,#mssql').click(function() { $('#use_other_db').slideDown(250); $('#use_oracle_db').slideUp(250); }); @@ -38,11 +32,6 @@ $(document).ready(function() { $('#use_oracle_db').show(250); }); - $('#mssql').click(function() { - $('#use_other_db').slideDown(250); - $('#use_oracle_db').slideUp(250); - }); - $('input[checked]').trigger('click'); $('#showAdvanced').click(function() { @@ -74,9 +63,17 @@ $(document).ready(function() { form.submit(); return false; }); - - if(!dbtypes.sqlite){ - $('#showAdvanced').click(); + + // Expand latest db settings if page was reloaded on error + var currentDbType = $('input[type="radio"]:checked').val(); + + if (currentDbType === undefined){ $('input[type="radio"]').first().click(); } + + if (currentDbType === 'sqlite' || (dbtypes.sqlite && currentDbType === undefined)){ + $('#datadirContent').hide(250); + $('#databaseField').hide(250); + } + }); diff --git a/core/js/tags.js b/core/js/tags.js new file mode 100644 index 00000000000..16dd3d4bf97 --- /dev/null +++ b/core/js/tags.js @@ -0,0 +1,353 @@ +OC.Tags= { + edit:function(type, cb) { + if(!type && !this.type) { + throw { name: 'MissingParameter', message: t('core', 'The object type is not specified.') }; + } + type = type ? type : this.type; + var self = this; + $.when(this._getTemplate()).then(function($tmpl) { + if(self.$dialog) { + self.$dialog.ocdialog('close'); + } + self.$dialog = $tmpl.octemplate({ + addText: t('core', 'Enter new') + }); + $('body').append(self.$dialog); + + self.$dialog.ready(function() { + self.$taglist = self.$dialog.find('.taglist'); + self.$taginput = self.$dialog.find('.addinput'); + self.$taglist.on('change', 'input:checkbox', function(event) { + self._handleChanges(self.$taglist, self.$taginput); + }); + self.$taginput.on('input', function(event) { + self._handleChanges(self.$taglist, self.$taginput); + }); + self.deleteButton = { + text: t('core', 'Delete'), + click: function() {self._deleteTags(self, type, self._selectedIds())}, + }; + self.addButton = { + text: t('core', 'Add'), + click: function() {self._addTag(self, type, self.$taginput.val())}, + }; + + self._fillTagList(type, self.$taglist); + }); + + self.$dialog.ocdialog({ + title: t('core', 'Edit tags'), + closeOnEscape: true, + width: 250, + height: 'auto', + modal: true, + //buttons: buttonlist, + close: function(event, ui) { + try { + $(this).ocdialog('destroy').remove(); + } catch(e) {console.warn(e);} + self.$dialog = null; + } + }); + }) + .fail(function(status, error) { + // If the method is called while navigating away + // from the page, it is probably not needed ;) + if(status !== 0) { + alert(t('core', 'Error loading dialog template: {error}', {error: error})); + } + }); + }, + /** + * @param string type + * @return jQuery.Promise which resolves with an array of ids + */ + getIdsForTag:function(type, tag) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_ids_for_tag', {type: type}); + $.getJSON(url, {tag: tag}, function(response) { + if(response.status === 'success') { + defer.resolve(response.ids); + } else { + defer.reject(response); + } + }); + return defer.promise(); + }, + /** + * @param string type + * @return jQuery.Promise which resolves with an array of ids + */ + getFavorites:function(type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_favorites', {type: type}); + $.getJSON(url, function(response) { + if(response.status === 'success') { + defer.resolve(response.ids); + } else { + defer.reject(response); + } + }); + return defer.promise(); + }, + /** + * @param string type + * @return jQuery.Promise which resolves with an array of id/name objects + */ + getTags:function(type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_tags', {type: type}); + $.getJSON(url, function(response) { + if(response.status === 'success') { + defer.resolve(response.tags); + } else { + defer.reject(response); + } + }); + return defer.promise(); + }, + /** + * @param int id + * @param string type + * @return jQuery.Promise + */ + tagAs:function(id, tag, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_tag', {type: type, id: id}); + $.post(url, {tag: tag}, function(response) { + if(response.status === 'success') { + defer.resolve(response); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + /** + * @param int id + * @param string type + * @return jQuery.Promise + */ + unTag:function(id, tag, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_untag', {type: type, id: id}); + $.post(url, {tag: tag}, function(response) { + if(response.status === 'success') { + defer.resolve(response); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + /** + * @param int id + * @param string type + * @return jQuery.Promise + */ + addToFavorites:function(id, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_favorite', {type: type, id: id}); + $.post(url, function(response) { + if(response.status === 'success') { + defer.resolve(response); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + /** + * @param int id + * @param string type + * @return jQuery.Promise + */ + removeFromFavorites:function(id, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_unfavorite', {type: type, id: id}); + $.post(url, function(response) { + if(response.status === 'success') { + defer.resolve(); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + /** + * @param string tag + * @param string type + * @return jQuery.Promise which resolves with an object with the name and the new id + */ + addTag:function(tag, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_add', {type: type}); + $.post(url,{tag:tag}, function(response) { + if(typeof cb == 'function') { + cb(response); + } + if(response.status === 'success') { + defer.resolve({id:response.id, name: tag}); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + /** + * @param array tags + * @param string type + * @return jQuery.Promise + */ + deleteTags:function(tags, type) { + if(!type && !this.type) { + throw new Error('The object type is not specified.'); + } + type = type ? type : this.type; + var defer = $.Deferred(), + self = this, + url = OC.Router.generate('core_tags_delete', {type: type}); + if(!tags || !tags.length) { + throw new Error(t('core', 'No tags selected for deletion.')); + } + var self = this; + $.post(url, {tags:tags}, function(response) { + if(response.status === 'success') { + defer.resolve(response.tags); + } else { + defer.reject(response); + } + }).fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + return defer.promise(); + }, + _update:function(tags, type) { + if(!this.$dialog) { + return; + } + var $taglist = this.$dialog.find('.taglist'), + self = this; + $taglist.empty(); + $.each(tags, function(idx, tag) { + var $item = self.$listTmpl.octemplate({id: tag.id, name: tag.name}); + $item.appendTo($taglist); + }); + $(this).trigger('change', {type: type, tags: tags}); + if(typeof this.changed === 'function') { + this.changed(tags); + } + }, + _getTemplate: function() { + var defer = $.Deferred(); + if(!this.$template) { + var self = this; + $.get(OC.filePath('core', 'templates', 'tags.html'), function(tmpl) { + self.$template = $(tmpl); + self.$listTmpl = self.$template.find('.taglist li:first-child').detach(); + defer.resolve(self.$template); + }) + .fail(function(jqXHR, textStatus, errorThrown) { + defer.reject(jqXHR.status, errorThrown); + }); + } else { + defer.resolve(this.$template); + } + return defer.promise(); + }, + _fillTagList: function(type) { + var self = this; + $.when(this.getTags(type)) + .then(function(tags) { + self._update(tags, type); + }) + .fail(function(response) { + console.warn(response); + }); + }, + _selectedIds: function() { + return $.map(this.$taglist.find('input:checked'), function(b) {return $(b).val();}); + }, + _handleChanges: function($list, $input) { + var ids = this._selectedIds(); + var buttons = []; + if($input.val().length) { + buttons.push(this.addButton); + } + if(ids.length) { + buttons.push(this.deleteButton); + } + this.$dialog.ocdialog('option', 'buttons', buttons); + }, + _deleteTags: function(self, type, ids) { + $.when(self.deleteTags(ids, type)) + .then(function() { + self._fillTagList(type); + self.$dialog.ocdialog('option', 'buttons', []); + }) + .fail(function(response) { + console.warn(response); + }); + }, + _addTag: function(self, type, tag) { + $.when(self.addTag(tag, type)) + .then(function(tag) { + self._fillTagList(type); + self.$taginput.val('').trigger('input'); + }) + .fail(function(response) { + console.warn(response); + }); + } +} + diff --git a/core/l10n/ar.php b/core/l10n/ar.php index cb8a506c4a8..212d850e6f5 100644 --- a/core/l10n/ar.php +++ b/core/l10n/ar.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "مجموعة", -"Category type not provided." => "نوع التصنيف لم يدخل", -"No category to add?" => "ألا توجد فئة للإضافة؟", -"This category already exists: %s" => "هذا التصنيف موجود مسبقا : %s", -"Object type not provided." => "نوع العنصر لم يدخل", -"%s ID not provided." => "رقم %s لم يدخل", -"Error adding %s to favorites." => "خطأ في اضافة %s الى المفضلة", -"No categories selected for deletion." => "لم يتم اختيار فئة للحذف", -"Error removing %s from favorites." => "خطأ في حذف %s من المفضلة", "Sunday" => "الاحد", "Monday" => "الأثنين", "Tuesday" => "الثلاثاء", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "موافق", "_{count} file conflict_::_{count} file conflicts_" => array("","","","","",""), "Cancel" => "الغاء", -"The object type is not specified." => "نوع العنصر غير محدد.", -"Error" => "خطأ", -"The app name is not specified." => "اسم التطبيق غير محدد.", -"The required file {file} is not installed!" => "الملف المطلوب {file} غير منصّب.", "Shared" => "مشارك", "Share" => "شارك", +"Error" => "خطأ", "Error while sharing" => "حصل خطأ عند عملية المشاركة", "Error while unsharing" => "حصل خطأ عند عملية إزالة المشاركة", "Error while changing permissions" => "حصل خطأ عند عملية إعادة تعيين التصريح بالتوصل", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "جاري الارسال ...", "Email sent" => "تم ارسال البريد الالكتروني", "Warning" => "تحذير", +"The object type is not specified." => "نوع العنصر غير محدد.", +"Delete" => "إلغاء", +"Add" => "اضف", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "حصل خطأ في عملية التحديث, يرجى ارسال تقرير بهذه المشكلة الى <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "تم التحديث بنجاح , يتم اعادة توجيهك الان الى Owncloud", "Use the following link to reset your password: {link}" => "استخدم هذه الوصلة لاسترجاع كلمة السر: {link}", @@ -101,8 +93,6 @@ $TRANSLATIONS = array( "Help" => "المساعدة", "Access forbidden" => "التوصّل محظور", "Cloud not found" => "لم يتم إيجاد", -"Edit categories" => "عدل الفئات", -"Add" => "اضف", "Security Warning" => "تحذير أمان", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "لا يوجد مولّد أرقام عشوائية ، الرجاء تفعيل الـ PHP OpenSSL extension.", diff --git a/core/l10n/bg_BG.php b/core/l10n/bg_BG.php index 3b7fd4633af..8c7a644d522 100644 --- a/core/l10n/bg_BG.php +++ b/core/l10n/bg_BG.php @@ -1,6 +1,5 @@ <?php $TRANSLATIONS = array( -"No categories selected for deletion." => "Няма избрани категории за изтриване", "Sunday" => "Неделя", "Monday" => "Понеделник", "Tuesday" => "Вторник", @@ -36,12 +35,14 @@ $TRANSLATIONS = array( "Ok" => "Добре", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Отказ", -"Error" => "Грешка", "Share" => "Споделяне", +"Error" => "Грешка", "Share with" => "Споделено с", "Password" => "Парола", "create" => "създаване", "Warning" => "Внимание", +"Delete" => "Изтриване", +"Add" => "Добавяне", "You will receive a link to reset your password via Email." => "Ще получите връзка за нулиране на паролата Ви.", "Username" => "Потребител", "Request reset" => "Нулиране на заявка", @@ -55,8 +56,6 @@ $TRANSLATIONS = array( "Help" => "Помощ", "Access forbidden" => "Достъпът е забранен", "Cloud not found" => "облакът не намерен", -"Edit categories" => "Редактиране на категориите", -"Add" => "Добавяне", "Create an <strong>admin account</strong>" => "Създаване на <strong>админ профил</strong>", "Advanced" => "Разширено", "Data folder" => "Директория за данни", diff --git a/core/l10n/bn_BD.php b/core/l10n/bn_BD.php index dfcd2f509a6..3e266f11063 100644 --- a/core/l10n/bn_BD.php +++ b/core/l10n/bn_BD.php @@ -1,12 +1,5 @@ <?php $TRANSLATIONS = array( -"Category type not provided." => "ক্যাটেগরির ধরণটি প্রদান করা হয় নি।", -"No category to add?" => "যোগ করার মত কোন ক্যাটেগরি নেই ?", -"Object type not provided." => "অবজেক্টের ধরণটি প্রদান করা হয় নি।", -"%s ID not provided." => "%s ID প্রদান করা হয় নি।", -"Error adding %s to favorites." => "প্রিয়তে %s যোগ করতে সমস্যা দেখা দিয়েছে।", -"No categories selected for deletion." => "মুছে ফেলার জন্য কনো ক্যাটেগরি নির্বাচন করা হয় নি।", -"Error removing %s from favorites." => "প্রিয় থেকে %s সরিয়ে ফেলতে সমস্যা দেখা দিয়েছে।", "Sunday" => "রবিবার", "Monday" => "সোমবার", "Tuesday" => "মঙ্গলবার", @@ -44,12 +37,9 @@ $TRANSLATIONS = array( "Ok" => "তথাস্তু", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "বাতির", -"The object type is not specified." => "অবজেক্টের ধরণটি সুনির্দিষ্ট নয়।", -"Error" => "সমস্যা", -"The app name is not specified." => "অ্যাপের নামটি সুনির্দিষ্ট নয়।", -"The required file {file} is not installed!" => "আবশ্যিক {file} টি সংস্থাপিত নেই !", "Shared" => "ভাগাভাগিকৃত", "Share" => "ভাগাভাগি কর", +"Error" => "সমস্যা", "Error while sharing" => "ভাগাভাগি করতে সমস্যা দেখা দিয়েছে ", "Error while unsharing" => "ভাগাভাগি বাতিল করতে সমস্যা দেখা দিয়েছে", "Error while changing permissions" => "অনুমতিসমূহ পরিবর্তন করতে সমস্যা দেখা দিয়েছে", @@ -80,6 +70,9 @@ $TRANSLATIONS = array( "Sending ..." => "পাঠানো হচ্ছে......", "Email sent" => "ই-মেইল পাঠানো হয়েছে", "Warning" => "সতর্কবাণী", +"The object type is not specified." => "অবজেক্টের ধরণটি সুনির্দিষ্ট নয়।", +"Delete" => "মুছে", +"Add" => "যোগ কর", "Use the following link to reset your password: {link}" => "আপনার কূটশব্দটি পূনঃনির্ধারণ করার জন্য নিম্নোক্ত লিংকটি ব্যবহার করুনঃ {link}", "You will receive a link to reset your password via Email." => "কূটশব্দ পূনঃনির্ধারণের জন্য একটি টূনঃনির্ধারণ লিংকটি আপনাকে ই-মেইলে পাঠানো হয়েছে ।", "Username" => "ব্যবহারকারী", @@ -95,8 +88,6 @@ $TRANSLATIONS = array( "Help" => "সহায়িকা", "Access forbidden" => "অধিগমনের অনুমতি নেই", "Cloud not found" => "ক্লাউড খুঁজে পাওয়া গেল না", -"Edit categories" => "ক্যাটেগরি সম্পাদনা", -"Add" => "যোগ কর", "Security Warning" => "নিরাপত্তাজনিত সতর্কতা", "Create an <strong>admin account</strong>" => "<strong>প্রশাসক একাউন্ট</strong> তৈরী করুন", "Advanced" => "সুচারু", diff --git a/core/l10n/ca.php b/core/l10n/ca.php index d85da45b5d6..cd6bca1bd10 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Actualitzant la memòria de cau del fitxers, això pot trigar molt...", "Updated filecache" => "Actualitzada la memòria de cau dels fitxers", "... %d%% done ..." => "... %d%% fet ...", -"Category type not provided." => "No s'ha especificat el tipus de categoria.", -"No category to add?" => "No voleu afegir cap categoria?", -"This category already exists: %s" => "Aquesta categoria ja existeix: %s", -"Object type not provided." => "No s'ha proporcionat el tipus d'objecte.", -"%s ID not provided." => "No s'ha proporcionat la ID %s.", -"Error adding %s to favorites." => "Error en afegir %s als preferits.", -"No categories selected for deletion." => "No hi ha categories per eliminar.", -"Error removing %s from favorites." => "Error en eliminar %s dels preferits.", "No image or file provided" => "No s'han proporcionat imatges o fitxers", "Unknown filetype" => "Tipus de fitxer desconegut", "Invalid image" => "Imatge no vàlida", @@ -67,12 +59,9 @@ $TRANSLATIONS = array( "(all selected)" => "(selecciona-ho tot)", "({count} selected)" => "({count} seleccionats)", "Error loading file exists template" => "Error en carregar la plantilla de fitxer existent", -"The object type is not specified." => "No s'ha especificat el tipus d'objecte.", -"Error" => "Error", -"The app name is not specified." => "No s'ha especificat el nom de l'aplicació.", -"The required file {file} is not installed!" => "El fitxer requerit {file} no està instal·lat!", "Shared" => "Compartit", "Share" => "Comparteix", +"Error" => "Error", "Error while sharing" => "Error en compartir", "Error while unsharing" => "Error en deixar de compartir", "Error while changing permissions" => "Error en canviar els permisos", @@ -104,6 +93,9 @@ $TRANSLATIONS = array( "Sending ..." => "Enviant...", "Email sent" => "El correu electrónic s'ha enviat", "Warning" => "Avís", +"The object type is not specified." => "No s'ha especificat el tipus d'objecte.", +"Delete" => "Esborra", +"Add" => "Afegeix", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'actualització ha estat incorrecte. Comuniqueu aquest error a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">la comunitat ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "L'actualització ha estat correcte. Ara us redirigim a ownCloud.", "%s password reset" => "restableix la contrasenya %s", @@ -126,8 +118,6 @@ $TRANSLATIONS = array( "Help" => "Ajuda", "Access forbidden" => "Accés prohibit", "Cloud not found" => "No s'ha trobat el núvol", -"Edit categories" => "Edita les categories", -"Add" => "Afegeix", "Security Warning" => "Avís de seguretat", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "La versió de PHP que useu és vulnerable a l'atac per NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Actualitzeu la instal·lació de PHP per usar %s de forma segura.", diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index 4bd8bd07b70..486723047bb 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s s vámi sdílí »%s«", +"Couldn't send mail to following users: %s " => "Nebylo možné odeslat e-mail následujícím uživatelům: %s", "group" => "skupina", "Turned on maintenance mode" => "Zapnut režim údržby", "Turned off maintenance mode" => "Vypnut režim údržby", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aktualizuji souborovou mezipaměť, toto může trvat opravdu dlouho...", "Updated filecache" => "Aktualizována souborová mezipaměť", "... %d%% done ..." => "... %d%% dokončeno ...", -"Category type not provided." => "Nezadán typ kategorie.", -"No category to add?" => "Žádná kategorie k přidání?", -"This category already exists: %s" => "Kategorie již existuje: %s", -"Object type not provided." => "Nezadán typ objektu.", -"%s ID not provided." => "Nezadáno ID %s.", -"Error adding %s to favorites." => "Chyba při přidávání %s k oblíbeným.", -"No categories selected for deletion." => "Žádné kategorie nebyly vybrány ke smazání.", -"Error removing %s from favorites." => "Chyba při odebírání %s z oblíbených.", "No image or file provided" => "Soubor nebo obrázek nebyl zadán", "Unknown filetype" => "Neznámý typ souboru", "Invalid image" => "Chybný obrázek", @@ -58,17 +51,18 @@ $TRANSLATIONS = array( "No" => "Ne", "Ok" => "Ok", "Error loading message template: {error}" => "Chyba při nahrávání šablony zprávy: {error}", -"_{count} file conflict_::_{count} file conflicts_" => array("","",""), +"_{count} file conflict_::_{count} file conflicts_" => array("{count} souborový konflikt","{count} souborové konflikty","{count} souborových konfliktů"), "One file conflict" => "Jeden konflikt souboru", "Which files do you want to keep?" => "Které soubory chcete ponechat?", +"If you select both versions, the copied file will have a number added to its name." => "Pokud zvolíte obě verze, zkopírovaný soubor bude mít název doplněn o číslo.", "Cancel" => "Zrušit", "Continue" => "Pokračovat", -"The object type is not specified." => "Není určen typ objektu.", -"Error" => "Chyba", -"The app name is not specified." => "Není určen název aplikace.", -"The required file {file} is not installed!" => "Požadovaný soubor {file} není nainstalován!", +"(all selected)" => "(vybráno vše)", +"({count} selected)" => "(vybráno {count})", +"Error loading file exists template" => "Chyba při nahrávání šablony existence souboru", "Shared" => "Sdílené", "Share" => "Sdílet", +"Error" => "Chyba", "Error while sharing" => "Chyba při sdílení", "Error while unsharing" => "Chyba při rušení sdílení", "Error while changing permissions" => "Chyba při změně oprávnění", @@ -88,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Sdílení již sdílené položky není povoleno", "Shared in {item} with {user}" => "Sdíleno v {item} s {user}", "Unshare" => "Zrušit sdílení", +"notify user by email" => "upozornit uživatele e-mailem", "can edit" => "lze upravovat", "access control" => "řízení přístupu", "create" => "vytvořit", @@ -100,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Odesílám ...", "Email sent" => "E-mail odeslán", "Warning" => "Varování", +"The object type is not specified." => "Není určen typ objektu.", +"Enter new" => "Zadat nový", +"Delete" => "Smazat", +"Add" => "Přidat", +"Edit tags" => "Editovat štítky", +"Error loading dialog template: {error}" => "Chyba při načítání šablony dialogu: {error}", +"No tags selected for deletion." => "Žádné štítky nebyly vybrány ke smazání.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">evidence chyb ownCloud</a>", "The update was successful. Redirecting you to ownCloud now." => "Aktualizace byla úspěšná. Přesměrovávám na ownCloud.", "%s password reset" => "reset hesla %s", @@ -120,10 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Aplikace", "Admin" => "Administrace", "Help" => "Nápověda", +"Error loading tags" => "Chyba při načítání štítků", +"Tag already exists" => "Štítek již existuje", +"Error deleting tag(s)" => "Chyba při mazání štítku(ů)", +"Error tagging" => "Chyba při označování štítkem", +"Error untagging" => "Chyba při odznačování štítků", +"Error favoriting" => "Chyba při označování jako oblíbené", +"Error unfavoriting" => "Chyba při odznačování jako oblíbené", "Access forbidden" => "Přístup zakázán", "Cloud not found" => "Cloud nebyl nalezen", -"Edit categories" => "Upravit kategorie", -"Add" => "Přidat", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hej ty tam,\n\njen ti chci dát vědět, že %s sdílel %s s tebou.\nZobraz si to: %s\n\n", +"The share will expire on %s.\n\n" => "Sdílení expiruje %s.\n\n", +"Cheers!" => "Ať slouží!", "Security Warning" => "Bezpečnostní upozornění", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Verze vašeho PHP je napadnutelná pomocí techniky \"NULL Byte\" (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Aktualizujte prosím vaši instanci PHP pro bezpečné používání %s.", @@ -142,15 +152,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Tabulkový prostor databáze", "Database host" => "Hostitel databáze", "Finish setup" => "Dokončit nastavení", +"Finishing …" => "Dokončuji...", "%s is available. Get more information on how to update." => "%s je dostupná. Získejte více informací k postupu aktualizace.", "Log out" => "Odhlásit se", "Automatic logon rejected!" => "Automatické přihlášení odmítnuto!", "If you did not change your password recently, your account may be compromised!" => "Pokud jste v nedávné době neměnili své heslo, Váš účet může být kompromitován!", "Please change your password to secure your account again." => "Změňte, prosím, své heslo pro opětovné zabezpečení Vašeho účtu.", +"Server side authentication failed!" => "Autentizace na serveru selhala!", +"Please contact your administrator." => "Kontaktujte prosím vašeho správce.", "Lost your password?" => "Ztratili jste své heslo?", "remember" => "zapamatovat", "Log in" => "Přihlásit", "Alternative Logins" => "Alternativní přihlášení", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hej ty tam,<br><br>jen ti chci dát vědět, že %s sdílel »%s« s tebou.<br><a href=\"%s\">Zobrazit!</a><br><br>", +"The share will expire on %s.<br><br>" => "Sdílení expiruje %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Aktualizuji ownCloud na verzi %s, bude to chvíli trvat." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/cy_GB.php b/core/l10n/cy_GB.php index 920fcad3d6b..6781382fa01 100644 --- a/core/l10n/cy_GB.php +++ b/core/l10n/cy_GB.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "grŵp", -"Category type not provided." => "Math o gategori heb ei ddarparu.", -"No category to add?" => "Dim categori i'w ychwanegu?", -"This category already exists: %s" => "Mae'r categori hwn eisoes yn bodoli: %s", -"Object type not provided." => "Math o wrthrych heb ei ddarparu.", -"%s ID not provided." => "%s ID heb ei ddarparu.", -"Error adding %s to favorites." => "Gwall wrth ychwanegu %s at ffefrynnau.", -"No categories selected for deletion." => "Ni ddewiswyd categorïau i'w dileu.", -"Error removing %s from favorites." => "Gwall wrth dynnu %s o ffefrynnau.", "Sunday" => "Sul", "Monday" => "Llun", "Tuesday" => "Mawrth", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "Iawn", "_{count} file conflict_::_{count} file conflicts_" => array("","","",""), "Cancel" => "Diddymu", -"The object type is not specified." => "Nid yw'r math o wrthrych wedi cael ei nodi.", -"Error" => "Gwall", -"The app name is not specified." => "Nid yw enw'r pecyn wedi cael ei nodi.", -"The required file {file} is not installed!" => "Nid yw'r ffeil ofynnol {file} wedi ei gosod!", "Shared" => "Rhannwyd", "Share" => "Rhannu", +"Error" => "Gwall", "Error while sharing" => "Gwall wrth rannu", "Error while unsharing" => "Gwall wrth ddad-rannu", "Error while changing permissions" => "Gwall wrth newid caniatâd", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "Yn anfon ...", "Email sent" => "Anfonwyd yr e-bost", "Warning" => "Rhybudd", +"The object type is not specified." => "Nid yw'r math o wrthrych wedi cael ei nodi.", +"Delete" => "Dileu", +"Add" => "Ychwanegu", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Methodd y diweddariad. Adroddwch y mater hwn i <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">gymuned ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Roedd y diweddariad yn llwyddiannus. Cewch eich ailgyfeirio i ownCloud nawr.", "Use the following link to reset your password: {link}" => "Defnyddiwch y ddolen hon i ailosod eich cyfrinair: {link}", @@ -101,8 +93,6 @@ $TRANSLATIONS = array( "Help" => "Cymorth", "Access forbidden" => "Mynediad wedi'i wahardd", "Cloud not found" => "Methwyd canfod cwmwl", -"Edit categories" => "Golygu categorïau", -"Add" => "Ychwanegu", "Security Warning" => "Rhybudd Diogelwch", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Mae eich fersiwn PHP yn agored i ymosodiad NULL Byte (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Does dim cynhyrchydd rhifau hap diogel ar gael, galluogwch estyniad PHP OpenSSL.", diff --git a/core/l10n/da.php b/core/l10n/da.php index b28e8a969b4..93fad7047d6 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Opdatere filcache, dette kan tage rigtigt lang tid...", "Updated filecache" => "Opdaterede filcache", "... %d%% done ..." => "... %d%% færdig ...", -"Category type not provided." => "Kategori typen ikke er fastsat.", -"No category to add?" => "Ingen kategori at tilføje?", -"This category already exists: %s" => "Kategorien eksisterer allerede: %s", -"Object type not provided." => "Object type ikke er fastsat.", -"%s ID not provided." => "%s ID ikke oplyst.", -"Error adding %s to favorites." => "Fejl ved tilføjelse af %s til favoritter.", -"No categories selected for deletion." => "Ingen kategorier valgt", -"Error removing %s from favorites." => "Fejl ved fjernelse af %s fra favoritter.", "No image or file provided" => "Ingen fil eller billede givet", "Unknown filetype" => "Ukendt filtype", "Invalid image" => "Ugyldigt billede", @@ -67,12 +59,9 @@ $TRANSLATIONS = array( "(all selected)" => "(alle valgt)", "({count} selected)" => "({count} valgt)", "Error loading file exists template" => "Fejl ved inlæsning af; fil eksistere skabelon", -"The object type is not specified." => "Objekttypen er ikke angivet.", -"Error" => "Fejl", -"The app name is not specified." => "Den app navn er ikke angivet.", -"The required file {file} is not installed!" => "Den krævede fil {file} er ikke installeret!", "Shared" => "Delt", "Share" => "Del", +"Error" => "Fejl", "Error while sharing" => "Fejl under deling", "Error while unsharing" => "Fejl under annullering af deling", "Error while changing permissions" => "Fejl under justering af rettigheder", @@ -104,6 +93,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sender ...", "Email sent" => "E-mail afsendt", "Warning" => "Advarsel", +"The object type is not specified." => "Objekttypen er ikke angivet.", +"Delete" => "Slet", +"Add" => "Tilføj", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Opdateringen blev ikke udført korrekt. Rapporter venligst problemet til <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownClouds community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Opdateringen blev udført korrekt. Du bliver nu viderestillet til ownCloud.", "%s password reset" => "%s adgangskode nulstillet", @@ -126,8 +118,6 @@ $TRANSLATIONS = array( "Help" => "Hjælp", "Access forbidden" => "Adgang forbudt", "Cloud not found" => "Sky ikke fundet", -"Edit categories" => "Rediger kategorier", -"Add" => "Tilføj", "Security Warning" => "Sikkerhedsadvarsel", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Din PHP-version er sårbar overfor et NULL Byte angreb (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Opdater venligst din PHP installation for at anvende %s sikkert.", diff --git a/core/l10n/de.php b/core/l10n/de.php index d0513ea0b7c..d6cc8752b03 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aktualisiere Dateicache, dies könnte eine Weile dauern...", "Updated filecache" => "Dateicache aktualisiert", "... %d%% done ..." => "... %d%% erledigt ...", -"Category type not provided." => "Kategorie nicht angegeben.", -"No category to add?" => "Keine Kategorie hinzuzufügen?", -"This category already exists: %s" => "Die Kategorie '%s' existiert bereits.", -"Object type not provided." => "Objekttyp nicht angegeben.", -"%s ID not provided." => "%s ID nicht angegeben.", -"Error adding %s to favorites." => "Fehler beim Hinzufügen von %s zu den Favoriten.", -"No categories selected for deletion." => "Es wurde keine Kategorien zum Löschen ausgewählt.", -"Error removing %s from favorites." => "Fehler beim Entfernen von %s von den Favoriten.", "No image or file provided" => "Kein Bild oder Datei zur Verfügung gestellt", "Unknown filetype" => "Unbekannter Dateityp", "Invalid image" => "Ungültiges Bild", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(Alle ausgewählt)", "({count} selected)" => "({count} ausgewählt)", "Error loading file exists template" => "Fehler beim Laden der vorhanden Dateivorlage", -"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", -"Error" => "Fehler", -"The app name is not specified." => "Der App-Name ist nicht angegeben.", -"The required file {file} is not installed!" => "Die benötigte Datei {file} ist nicht installiert.", "Shared" => "Geteilt", "Share" => "Teilen", +"Error" => "Fehler", "Error while sharing" => "Fehler beim Teilen", "Error while unsharing" => "Fehler beim Aufheben der Freigabe", "Error while changing permissions" => "Fehler beim Ändern der Rechte", @@ -106,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Sende ...", "Email sent" => "E-Mail wurde verschickt", "Warning" => "Warnung", +"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", +"Enter new" => "Unbekannter Fehler, bitte prüfe Deine Systemeinstellungen oder kontaktiere Deinen Administrator", +"Delete" => "Löschen", +"Add" => "Hinzufügen", +"Edit tags" => "Schlagwörter bearbeiten", +"Error loading dialog template: {error}" => "Fehler beim Laden der Gesprächsvorlage: {error}", +"No tags selected for deletion." => "Es wurden keine Schlagwörter zum Löschen ausgewählt.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet.", "%s password reset" => "%s-Passwort zurücksetzen", @@ -126,13 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Apps", "Admin" => "Administration", "Help" => "Hilfe", +"Error loading tags" => "Fehler beim Laden der Schlagwörter", +"Tag already exists" => "Schlagwort ist bereits vorhanden", +"Error deleting tag(s)" => "Fehler beim Löschen des Schlagwortes bzw. der Schlagwörter", +"Error tagging" => "Fehler beim Hinzufügen der Schlagwörter", +"Error untagging" => "Fehler beim Entfernen der Schlagwörter", +"Error favoriting" => "Fehler beim Hinzufügen zu den Favoriten", +"Error unfavoriting" => "Fehler beim Entfernen aus den Favoriten", "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud nicht gefunden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo,\n\nich wollte Dich nur wissen lassen, dass %s %s mit Dir teilt.\nSchaue es Dir an: %s\n\n", "The share will expire on %s.\n\n" => "Die Freigabe wird ablaufen am %s.\n\n", "Cheers!" => "Hallo!", -"Edit categories" => "Kategorien bearbeiten", -"Add" => "Hinzufügen", "Security Warning" => "Sicherheitswarnung", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Deine PHP Version ist durch die NULL Byte Attacke (CVE-2006-7243) angreifbar", "Please update your PHP installation to use %s securely." => "Bitte aktualisiere deine PHP-Installation um %s sicher nutzen zu können.", diff --git a/core/l10n/de_CH.php b/core/l10n/de_CH.php index 1f79e977cc9..e3e48a718d7 100644 --- a/core/l10n/de_CH.php +++ b/core/l10n/de_CH.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s teilt »%s« mit Ihnen", "group" => "Gruppe", -"Category type not provided." => "Kategorie nicht angegeben.", -"No category to add?" => "Keine Kategorie hinzuzufügen?", -"This category already exists: %s" => "Die nachfolgende Kategorie existiert bereits: %s", -"Object type not provided." => "Objekttyp nicht angegeben.", -"%s ID not provided." => "%s ID nicht angegeben.", -"Error adding %s to favorites." => "Fehler beim Hinzufügen von %s zu den Favoriten.", -"No categories selected for deletion." => "Es wurden keine Kategorien zum Löschen ausgewählt.", -"Error removing %s from favorites." => "Fehler beim Entfernen von %s von den Favoriten.", "Sunday" => "Sonntag", "Monday" => "Montag", "Tuesday" => "Dienstag", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "OK", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Abbrechen", -"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", -"Error" => "Fehler", -"The app name is not specified." => "Der App-Name ist nicht angegeben.", -"The required file {file} is not installed!" => "Die benötigte Datei {file} ist nicht installiert!", "Shared" => "Geteilt", "Share" => "Teilen", +"Error" => "Fehler", "Error while sharing" => "Fehler beim Teilen", "Error while unsharing" => "Fehler beim Aufheben der Freigabe", "Error while changing permissions" => "Fehler bei der Änderung der Rechte", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sende ...", "Email sent" => "Email gesendet", "Warning" => "Warnung", +"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", +"Delete" => "Löschen", +"Add" => "Hinzufügen", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", "%s password reset" => "%s-Passwort zurücksetzen", @@ -106,8 +98,6 @@ $TRANSLATIONS = array( "Help" => "Hilfe", "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud wurde nicht gefunden", -"Edit categories" => "Kategorien ändern", -"Add" => "Hinzufügen", "Security Warning" => "Sicherheitshinweis", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ihre PHP Version ist durch die NULL Byte Attacke (CVE-2006-7243) angreifbar", "Please update your PHP installation to use %s securely." => "Bitte aktualisieren Sie Ihre PHP-Installation um %s sicher nutzen zu können.", diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index 2dddea5e551..e373aee460d 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aktualisiere Dateicache, dies könnte eine Weile dauern...", "Updated filecache" => "Dateicache aktualisiert", "... %d%% done ..." => "... %d%% erledigt ...", -"Category type not provided." => "Kategorie nicht angegeben.", -"No category to add?" => "Keine Kategorie hinzuzufügen?", -"This category already exists: %s" => "Die nachfolgende Kategorie existiert bereits: %s", -"Object type not provided." => "Objekttyp nicht angegeben.", -"%s ID not provided." => "%s ID nicht angegeben.", -"Error adding %s to favorites." => "Fehler beim Hinzufügen von %s zu den Favoriten.", -"No categories selected for deletion." => "Es wurden keine Kategorien zum Löschen ausgewählt.", -"Error removing %s from favorites." => "Fehler beim Entfernen von %s von den Favoriten.", "No image or file provided" => "Kein Bild oder Datei zur Verfügung gestellt", "Unknown filetype" => "Unbekannter Dateityp", "Invalid image" => "Ungültiges Bild", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(Alle ausgewählt)", "({count} selected)" => "({count} ausgewählt)", "Error loading file exists template" => "Fehler beim Laden der vorhanden Dateivorlage", -"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", -"Error" => "Fehler", -"The app name is not specified." => "Der App-Name ist nicht angegeben.", -"The required file {file} is not installed!" => "Die benötigte Datei {file} ist nicht installiert!", "Shared" => "Geteilt", "Share" => "Teilen", +"Error" => "Fehler", "Error while sharing" => "Fehler beim Teilen", "Error while unsharing" => "Fehler beim Aufheben der Freigabe", "Error while changing permissions" => "Fehler bei der Änderung der Rechte", @@ -106,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Sende ...", "Email sent" => "Email gesendet", "Warning" => "Warnung", +"The object type is not specified." => "Der Objekttyp ist nicht angegeben.", +"Enter new" => "c", +"Delete" => "Löschen", +"Add" => "Hinzufügen", +"Edit tags" => "Schlagwörter bearbeiten", +"Error loading dialog template: {error}" => "Fehler beim Laden der Gesprächsvorlage: {error}", +"No tags selected for deletion." => "Es wurden keine Schlagwörter zum Löschen ausgewählt.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", "%s password reset" => "%s-Passwort zurücksetzen", @@ -126,13 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Apps", "Admin" => "Administrator", "Help" => "Hilfe", +"Error loading tags" => "Fehler beim Laden der Schlagwörter", +"Tag already exists" => "Schlagwort ist bereits vorhanden", +"Error deleting tag(s)" => "Fehler beim Löschen des Schlagwortes bzw. der Schlagwörter", +"Error tagging" => "Fehler beim Hinzufügen der Schlagwörter", +"Error untagging" => "Fehler beim Entfernen der Schlagwörter", +"Error favoriting" => "Fehler beim Hinzufügen zu den Favoriten", +"Error unfavoriting" => "Fehler beim Entfernen aus den Favoriten", "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud wurde nicht gefunden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo,\n\nich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.\nSchauen Sie es sich an: %s\n\n", "The share will expire on %s.\n\n" => "Die Freigabe wird ablaufen am %s.\n\n", "Cheers!" => "Hallo!", -"Edit categories" => "Kategorien ändern", -"Add" => "Hinzufügen", "Security Warning" => "Sicherheitshinweis", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ihre PHP Version ist durch die NULL Byte Attacke (CVE-2006-7243) angreifbar", "Please update your PHP installation to use %s securely." => "Bitte aktualisieren Sie Ihre PHP-Installation um %s sicher nutzen zu können.", diff --git a/core/l10n/el.php b/core/l10n/el.php index fd5987d02ae..0348babe56c 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "Ο %s διαμοιράστηκε μαζί σας το »%s«", "group" => "ομάδα", -"Category type not provided." => "Δεν δώθηκε τύπος κατηγορίας.", -"No category to add?" => "Δεν έχετε κατηγορία να προσθέσετε;", -"This category already exists: %s" => "Αυτή η κατηγορία υπάρχει ήδη: %s", -"Object type not provided." => "Δεν δώθηκε τύπος αντικειμένου.", -"%s ID not provided." => "Δεν δώθηκε η ID για %s.", -"Error adding %s to favorites." => "Σφάλμα προσθήκης %s στα αγαπημένα.", -"No categories selected for deletion." => "Δεν επιλέχτηκαν κατηγορίες για διαγραφή.", -"Error removing %s from favorites." => "Σφάλμα αφαίρεσης %s από τα αγαπημένα.", "Sunday" => "Κυριακή", "Monday" => "Δευτέρα", "Tuesday" => "Τρίτη", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "Οκ", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Άκυρο", -"The object type is not specified." => "Δεν καθορίστηκε ο τύπος του αντικειμένου.", -"Error" => "Σφάλμα", -"The app name is not specified." => "Δεν καθορίστηκε το όνομα της εφαρμογής.", -"The required file {file} is not installed!" => "Το απαιτούμενο αρχείο {file} δεν εγκαταστάθηκε!", "Shared" => "Κοινόχρηστα", "Share" => "Διαμοιρασμός", +"Error" => "Σφάλμα", "Error while sharing" => "Σφάλμα κατά τον διαμοιρασμό", "Error while unsharing" => "Σφάλμα κατά το σταμάτημα του διαμοιρασμού", "Error while changing permissions" => "Σφάλμα κατά την αλλαγή των δικαιωμάτων", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Αποστολή...", "Email sent" => "Το Email απεστάλη ", "Warning" => "Προειδοποίηση", +"The object type is not specified." => "Δεν καθορίστηκε ο τύπος του αντικειμένου.", +"Delete" => "Διαγραφή", +"Add" => "Προσθήκη", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Η ενημέρωση ήταν ανεπιτυχής. Παρακαλώ στείλτε αναφορά στην <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">κοινότητα ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Η ενημέρωση ήταν επιτυχής. Μετάβαση στο ownCloud.", "Use the following link to reset your password: {link}" => "Χρησιμοποιήστε τον ακόλουθο σύνδεσμο για να επανεκδόσετε τον κωδικό: {link}", @@ -105,8 +97,6 @@ $TRANSLATIONS = array( "Help" => "Βοήθεια", "Access forbidden" => "Δεν επιτρέπεται η πρόσβαση", "Cloud not found" => "Δεν βρέθηκε νέφος", -"Edit categories" => "Επεξεργασία κατηγοριών", -"Add" => "Προσθήκη", "Security Warning" => "Προειδοποίηση Ασφαλείας", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Η PHP ειναι ευαλωτη στην NULL Byte επιθεση (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Παρακαλώ ενημερώστε την εγκατάσταση της PHP ώστε να χρησιμοποιήσετε το %s με ασφάλεια.", diff --git a/core/l10n/en_GB.php b/core/l10n/en_GB.php index c69cf59f384..575abe23f71 100644 --- a/core/l10n/en_GB.php +++ b/core/l10n/en_GB.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s shared \"%s\" with you", +"Couldn't send mail to following users: %s " => "Couldn't send mail to following users: %s ", "group" => "group", "Turned on maintenance mode" => "Turned on maintenance mode", "Turned off maintenance mode" => "Turned off maintenance mode", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Updating filecache, this may take a really long time...", "Updated filecache" => "Updated filecache", "... %d%% done ..." => "... %d%% done ...", -"Category type not provided." => "Category type not provided.", -"No category to add?" => "No category to add?", -"This category already exists: %s" => "This category already exists: %s", -"Object type not provided." => "Object type not provided.", -"%s ID not provided." => "%s ID not provided.", -"Error adding %s to favorites." => "Error adding %s to favourites.", -"No categories selected for deletion." => "No categories selected for deletion.", -"Error removing %s from favorites." => "Error removing %s from favourites.", "No image or file provided" => "No image or file provided", "Unknown filetype" => "Unknown filetype", "Invalid image" => "Invalid image", @@ -67,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(all selected)", "({count} selected)" => "({count} selected)", "Error loading file exists template" => "Error loading file exists template", -"The object type is not specified." => "The object type is not specified.", -"Error" => "Error", -"The app name is not specified." => "The app name is not specified.", -"The required file {file} is not installed!" => "The required file {file} is not installed!", "Shared" => "Shared", "Share" => "Share", +"Error" => "Error", "Error while sharing" => "Error whilst sharing", "Error while unsharing" => "Error whilst unsharing", "Error while changing permissions" => "Error whilst changing permissions", @@ -92,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Resharing is not allowed", "Shared in {item} with {user}" => "Shared in {item} with {user}", "Unshare" => "Unshare", +"notify user by email" => "notify user by email", "can edit" => "can edit", "access control" => "access control", "create" => "create", @@ -104,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Sending ...", "Email sent" => "Email sent", "Warning" => "Warning", +"The object type is not specified." => "The object type is not specified.", +"Enter new" => "Enter new", +"Delete" => "Delete", +"Add" => "Add", +"Edit tags" => "Edit tags", +"Error loading dialog template: {error}" => "Error loading dialog template: {error}", +"No tags selected for deletion." => "No tags selected for deletion.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "The update was successful. Redirecting you to ownCloud now.", "%s password reset" => "%s password reset", @@ -124,10 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Apps", "Admin" => "Admin", "Help" => "Help", +"Error loading tags" => "Error loading tags", +"Tag already exists" => "Tag already exists", +"Error deleting tag(s)" => "Error deleting tag(s)", +"Error tagging" => "Error tagging", +"Error untagging" => "Error untagging", +"Error favoriting" => "Error favouriting", +"Error unfavoriting" => "Error unfavouriting", "Access forbidden" => "Access denied", "Cloud not found" => "Cloud not found", -"Edit categories" => "Edit categories", -"Add" => "Add", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n", +"The share will expire on %s.\n\n" => "The share will expire on %s.\n\n", +"Cheers!" => "Cheers!", "Security Warning" => "Security Warning", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Please update your PHP installation to use %s securely.", @@ -146,15 +152,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Database tablespace", "Database host" => "Database host", "Finish setup" => "Finish setup", +"Finishing …" => "Finishing …", "%s is available. Get more information on how to update." => "%s is available. Get more information on how to update.", "Log out" => "Log out", "Automatic logon rejected!" => "Automatic logon rejected!", "If you did not change your password recently, your account may be compromised!" => "If you did not change your password recently, your account may be compromised!", "Please change your password to secure your account again." => "Please change your password to secure your account again.", +"Server side authentication failed!" => "Server side authentication failed!", +"Please contact your administrator." => "Please contact your administrator.", "Lost your password?" => "Lost your password?", "remember" => "remember", "Log in" => "Log in", "Alternative Logins" => "Alternative Logins", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>", +"The share will expire on %s.<br><br>" => "The share will expire on %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Updating ownCloud to version %s, this may take a while." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eo.php b/core/l10n/eo.php index 2b416db4707..24e845622c2 100644 --- a/core/l10n/eo.php +++ b/core/l10n/eo.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s kunhavigis “%s” kun vi", "group" => "grupo", -"Category type not provided." => "Ne proviziĝis tipon de kategorio.", -"No category to add?" => "Ĉu neniu kategorio estas aldonota?", -"This category already exists: %s" => "Tiu kategorio jam ekzistas: %s", -"Object type not provided." => "Ne proviziĝis tipon de objekto.", -"%s ID not provided." => "Ne proviziĝis ID-on de %s.", -"Error adding %s to favorites." => "Eraro dum aldono de %s al favoratoj.", -"No categories selected for deletion." => "Neniu kategorio elektiĝis por forigo.", -"Error removing %s from favorites." => "Eraro dum forigo de %s el favoratoj.", "Sunday" => "dimanĉo", "Monday" => "lundo", "Tuesday" => "mardo", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "Akcepti", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Nuligi", -"The object type is not specified." => "Ne indikiĝis tipo de la objekto.", -"Error" => "Eraro", -"The app name is not specified." => "Ne indikiĝis nomo de la aplikaĵo.", -"The required file {file} is not installed!" => "La necesa dosiero {file} ne instaliĝis!", "Shared" => "Dividita", "Share" => "Kunhavigi", +"Error" => "Eraro", "Error while sharing" => "Eraro dum kunhavigo", "Error while unsharing" => "Eraro dum malkunhavigo", "Error while changing permissions" => "Eraro dum ŝanĝo de permesoj", @@ -83,6 +72,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sendante...", "Email sent" => "La retpoŝtaĵo sendiĝis", "Warning" => "Averto", +"The object type is not specified." => "Ne indikiĝis tipo de la objekto.", +"Delete" => "Forigi", +"Add" => "Aldoni", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La ĝisdatigo estis malsukcese. Bonvolu raporti tiun problemon al la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownClouda komunumo</a>.", "The update was successful. Redirecting you to ownCloud now." => "La ĝisdatigo estis sukcesa. Alidirektante nun al ownCloud.", "Use the following link to reset your password: {link}" => "Uzu la jenan ligilon por restarigi vian pasvorton: {link}", @@ -102,8 +94,6 @@ $TRANSLATIONS = array( "Help" => "Helpo", "Access forbidden" => "Aliro estas malpermesata", "Cloud not found" => "La nubo ne estas trovita", -"Edit categories" => "Redakti kategoriojn", -"Add" => "Aldoni", "Security Warning" => "Sekureca averto", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Via PHP versio estas sendefenda je la NULL bajto atako (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Ne disponeblas sekura generilo de hazardaj numeroj; bonvolu kapabligi la OpenSSL-kromaĵon por PHP.", diff --git a/core/l10n/es.php b/core/l10n/es.php index 29eea2dbf49..29a947b47e7 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s ha compatido »%s« contigo", +"Couldn't send mail to following users: %s " => "No se pudo enviar mensajes a los siguientes usuarios: %s", "group" => "grupo", "Turned on maintenance mode" => "Modo mantenimiento activado", "Turned off maintenance mode" => "Modo mantenimiento desactivado", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Actualizando caché de archivos, esto puede tardar bastante tiempo...", "Updated filecache" => "Caché de archivos actualizada", "... %d%% done ..." => "... %d%% hecho ...", -"Category type not provided." => "Tipo de categoría no proporcionado.", -"No category to add?" => "¿Ninguna categoría para añadir?", -"This category already exists: %s" => "Esta categoría ya existe: %s", -"Object type not provided." => "Tipo de objeto no proporcionado.", -"%s ID not provided." => "ID de %s no proporcionado.", -"Error adding %s to favorites." => "Error añadiendo %s a favoritos.", -"No categories selected for deletion." => "No hay categorías seleccionadas para borrar.", -"Error removing %s from favorites." => "Error eliminando %s de los favoritos.", "No image or file provided" => "No se especificó ningún archivo o imagen", "Unknown filetype" => "Tipo de archivo desconocido", "Invalid image" => "Imagen inválida", @@ -67,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(seleccionados todos)", "({count} selected)" => "({count} seleccionados)", "Error loading file exists template" => "Error cargando plantilla de archivo existente", -"The object type is not specified." => "El tipo de objeto no está especificado.", -"Error" => "Error", -"The app name is not specified." => "El nombre de la aplicación no está especificado.", -"The required file {file} is not installed!" => "¡El fichero {file} es necesario y no está instalado!", "Shared" => "Compartido", "Share" => "Compartir", +"Error" => "Error", "Error while sharing" => "Error al compartir", "Error while unsharing" => "Error al dejar de compartir", "Error while changing permissions" => "Error al cambiar permisos", @@ -92,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "No se permite compartir de nuevo", "Shared in {item} with {user}" => "Compartido en {item} con {user}", "Unshare" => "Dejar de compartir", +"notify user by email" => "notificar al usuario por correo electrónico", "can edit" => "puede editar", "access control" => "control de acceso", "create" => "crear", @@ -104,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "Enviando...", "Email sent" => "Correo electrónico enviado", "Warning" => "Precaución", +"The object type is not specified." => "El tipo de objeto no está especificado.", +"Delete" => "Eliminar", +"Add" => "Agregar", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La actualización ha fracasado. Por favor, informe de este problema a la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">Comunidad de ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora.", "%s password reset" => "%s restablecer contraseña", @@ -126,8 +120,9 @@ $TRANSLATIONS = array( "Help" => "Ayuda", "Access forbidden" => "Acceso denegado", "Cloud not found" => "No se encuentra la nube", -"Edit categories" => "Editar categorías", -"Add" => "Agregar", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hola:\n\nTan solo queremos informarte que %s compartió %s contigo.\nMíralo aquí: %s\n\n", +"The share will expire on %s.\n\n" => "El objeto dejará de ser compartido el %s.\n\n", +"Cheers!" => "¡Saludos!", "Security Warning" => "Advertencia de seguridad", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Su versión de PHP es vulnerable al ataque de Byte NULL (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Por favor, actualice su instalación PHP para usar %s con seguridad.", @@ -146,15 +141,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Espacio de tablas de la base de datos", "Database host" => "Host de la base de datos", "Finish setup" => "Completar la instalación", +"Finishing …" => "Finalizando...", "%s is available. Get more information on how to update." => "%s esta disponible. Obtener mas información de como actualizar.", "Log out" => "Salir", "Automatic logon rejected!" => "¡Inicio de sesión automático rechazado!", "If you did not change your password recently, your account may be compromised!" => "Si no ha cambiado su contraseña recientemente, ¡puede que su cuenta esté comprometida!", "Please change your password to secure your account again." => "Por favor cambie su contraseña para asegurar su cuenta nuevamente.", +"Server side authentication failed!" => "La autenticación a fallado en el servidor.", +"Please contact your administrator." => "Sírvase contactar a su administrador.", "Lost your password?" => "¿Ha perdido su contraseña?", "remember" => "recordar", "Log in" => "Entrar", "Alternative Logins" => "Inicios de sesión alternativos", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hola:<br><br>tan solo queremos informarte que %s compartió «%s» contigo.<br><a href=\"%s\">¡Míralo acá!</a><br><br>", +"The share will expire on %s.<br><br>" => "El objeto dejará de ser compartido el %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a la versión %s, esto puede demorar un tiempo." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/es_AR.php b/core/l10n/es_AR.php index 7d7e29c8ffb..195db409ab9 100644 --- a/core/l10n/es_AR.php +++ b/core/l10n/es_AR.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Actualizando caché de archivos, esto puede tardar mucho tiempo...", "Updated filecache" => "Caché de archivos actualizada", "... %d%% done ..." => "... %d%% hecho ...", -"Category type not provided." => "Tipo de categoría no provisto. ", -"No category to add?" => "¿Ninguna categoría para añadir?", -"This category already exists: %s" => "Esta categoría ya existe: %s", -"Object type not provided." => "Tipo de objeto no provisto. ", -"%s ID not provided." => "%s ID no provista. ", -"Error adding %s to favorites." => "Error al agregar %s a favoritos. ", -"No categories selected for deletion." => "No se seleccionaron categorías para borrar.", -"Error removing %s from favorites." => "Error al borrar %s de favoritos. ", "Sunday" => "Domingo", "Monday" => "Lunes", "Tuesday" => "Martes", @@ -53,12 +45,9 @@ $TRANSLATIONS = array( "Ok" => "Aceptar", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Cancelar", -"The object type is not specified." => "El tipo de objeto no está especificado. ", -"Error" => "Error", -"The app name is not specified." => "El nombre de la App no está especificado.", -"The required file {file} is not installed!" => "¡El archivo requerido {file} no está instalado!", "Shared" => "Compartido", "Share" => "Compartir", +"Error" => "Error", "Error while sharing" => "Error al compartir", "Error while unsharing" => "Error en al dejar de compartir", "Error while changing permissions" => "Error al cambiar permisos", @@ -90,6 +79,9 @@ $TRANSLATIONS = array( "Sending ..." => "Mandando...", "Email sent" => "e-mail mandado", "Warning" => "Atención", +"The object type is not specified." => "El tipo de objeto no está especificado. ", +"Delete" => "Borrar", +"Add" => "Agregar", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La actualización no pudo ser completada. Por favor, reportá el inconveniente a la comunidad <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "La actualización fue exitosa. Estás siendo redirigido a ownCloud.", "%s password reset" => "%s restablecer contraseña", @@ -112,8 +104,6 @@ $TRANSLATIONS = array( "Help" => "Ayuda", "Access forbidden" => "Acceso prohibido", "Cloud not found" => "No se encontró ownCloud", -"Edit categories" => "Editar categorías", -"Add" => "Agregar", "Security Warning" => "Advertencia de seguridad", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "La versión de PHP que tenés, es vulnerable al ataque de byte NULL (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Por favor, actualizá tu instalación PHP para poder usar %s de manera segura.", diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index 7b26850166d..6ccaf930af8 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Uuendan failipuhvrit, see võib kesta väga kaua...", "Updated filecache" => "Uuendatud failipuhver", "... %d%% done ..." => "... %d%% tehtud ...", -"Category type not provided." => "Kategooria tüüp puudub.", -"No category to add?" => "Pole kategooriat, mida lisada?", -"This category already exists: %s" => "See kategooria on juba olemas: %s", -"Object type not provided." => "Objekti tüüb puudub.", -"%s ID not provided." => "%s ID puudub.", -"Error adding %s to favorites." => "Viga %s lisamisel lemmikutesse.", -"No categories selected for deletion." => "Kustutamiseks pole kategooriat valitud.", -"Error removing %s from favorites." => "Viga %s eemaldamisel lemmikutest.", "No image or file provided" => "Ühtegi pilti või faili ei pakutud", "Unknown filetype" => "Tundmatu failitüüp", "Invalid image" => "Vigane pilt", @@ -62,16 +54,15 @@ $TRANSLATIONS = array( "_{count} file conflict_::_{count} file conflicts_" => array("{count} failikonflikt","{count} failikonflikti"), "One file conflict" => "Üks failikonflikt", "Which files do you want to keep?" => "Milliseid faile sa soovid alles hoida?", +"If you select both versions, the copied file will have a number added to its name." => "Kui valid mõlemad versioonid, siis lisatakse kopeeritud faili nimele number.", "Cancel" => "Loobu", "Continue" => "Jätka", "(all selected)" => "(kõik valitud)", "({count} selected)" => "({count} valitud)", -"The object type is not specified." => "Objekti tüüp pole määratletud.", -"Error" => "Viga", -"The app name is not specified." => "Rakenduse nimi ole määratletud.", -"The required file {file} is not installed!" => "Vajalikku faili {file} pole paigaldatud!", +"Error loading file exists template" => "Viga faili olemasolu malli laadimisel", "Shared" => "Jagatud", "Share" => "Jaga", +"Error" => "Viga", "Error while sharing" => "Viga jagamisel", "Error while unsharing" => "Viga jagamise lõpetamisel", "Error while changing permissions" => "Viga õiguste muutmisel", @@ -104,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Saatmine ...", "Email sent" => "E-kiri on saadetud", "Warning" => "Hoiatus", +"The object type is not specified." => "Objekti tüüp pole määratletud.", +"Enter new" => "Sisesta uus", +"Delete" => "Kustuta", +"Add" => "Lisa", +"Edit tags" => "Muuda silte", +"Error loading dialog template: {error}" => "Viga dialoogi malli laadimisel: {error}", +"No tags selected for deletion." => "Kustutamiseks pole ühtegi silti valitud.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Uuendus ebaõnnestus. Palun teavita probleemidest <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud kogukonda</a>.", "The update was successful. Redirecting you to ownCloud now." => "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi.", "%s password reset" => "%s parooli lähtestus", @@ -124,13 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Rakendused", "Admin" => "Admin", "Help" => "Abiinfo", +"Error loading tags" => "Viga siltide laadimisel", +"Tag already exists" => "Silt on juba olemas", +"Error deleting tag(s)" => "Viga sildi (siltide) kustutamisel", +"Error tagging" => "Viga sildi lisamisel", +"Error untagging" => "Viga sildi eemaldamisel", +"Error favoriting" => "Viga lemmikuks lisamisel", +"Error unfavoriting" => "Viga lemmikutest eemaldamisel", "Access forbidden" => "Ligipääs on keelatud", "Cloud not found" => "Pilve ei leitud", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hei,\n\nlihtsalt annan sulle teada, et %s jagas sulle välja %s.\nVaata seda: %s\n\n", "The share will expire on %s.\n\n" => "Jagamine aegub %s.\n\n", "Cheers!" => "Terekest!", -"Edit categories" => "Muuda kategooriaid", -"Add" => "Lisa", "Security Warning" => "Turvahoiatus", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Sinu PHP versioon on haavatav NULL Baidi (CVE-2006-7243) rünnakuga.", "Please update your PHP installation to use %s securely." => "Palun uuenda oma paigaldatud PHP-d tagamaks %s turvalisus.", @@ -155,6 +158,8 @@ $TRANSLATIONS = array( "Automatic logon rejected!" => "Automaatne sisselogimine lükati tagasi!", "If you did not change your password recently, your account may be compromised!" => "Kui sa ei muutnud oma parooli hiljuti, siis võib su kasutajakonto olla ohustatud!", "Please change your password to secure your account again." => "Palun muuda parooli, et oma kasutajakonto uuesti turvata.", +"Server side authentication failed!" => "Serveripoolne autentimine ebaõnnestus!", +"Please contact your administrator." => "Palun kontakteeru oma süsteemihalduriga.", "Lost your password?" => "Kaotasid oma parooli?", "remember" => "pea meeles", "Log in" => "Logi sisse", diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 2bf1b060790..50e4e12d770 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s-ek »%s« zurekin partekatu du", "group" => "taldea", -"Category type not provided." => "Kategoria mota ez da zehaztu.", -"No category to add?" => "Ez dago gehitzeko kategoriarik?", -"This category already exists: %s" => "Kategoria hau dagoeneko existitzen da: %s", -"Object type not provided." => "Objetu mota ez da zehaztu.", -"%s ID not provided." => "%s ID mota ez da zehaztu.", -"Error adding %s to favorites." => "Errorea gertatu da %s gogokoetara gehitzean.", -"No categories selected for deletion." => "Ez da ezabatzeko kategoriarik hautatu.", -"Error removing %s from favorites." => "Errorea gertatu da %s gogokoetatik ezabatzean.", "Sunday" => "Igandea", "Monday" => "Astelehena", "Tuesday" => "Asteartea", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "Ados", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Ezeztatu", -"The object type is not specified." => "Objetu mota ez dago zehaztuta.", -"Error" => "Errorea", -"The app name is not specified." => "App izena ez dago zehaztuta.", -"The required file {file} is not installed!" => "Beharrezkoa den {file} fitxategia ez dago instalatuta!", "Shared" => "Elkarbanatuta", "Share" => "Elkarbanatu", +"Error" => "Errorea", "Error while sharing" => "Errore bat egon da elkarbanatzean", "Error while unsharing" => "Errore bat egon da elkarbanaketa desegitean", "Error while changing permissions" => "Errore bat egon da baimenak aldatzean", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Bidaltzen ...", "Email sent" => "Eposta bidalia", "Warning" => "Abisua", +"The object type is not specified." => "Objetu mota ez dago zehaztuta.", +"Delete" => "Ezabatu", +"Add" => "Gehitu", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud komunitatearentzako</a>.", "The update was successful. Redirecting you to ownCloud now." => "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara.", "%s password reset" => "%s pasahitza berrezarri", @@ -106,8 +98,6 @@ $TRANSLATIONS = array( "Help" => "Laguntza", "Access forbidden" => "Sarrera debekatuta", "Cloud not found" => "Ez da hodeia aurkitu", -"Edit categories" => "Editatu kategoriak", -"Add" => "Gehitu", "Security Warning" => "Segurtasun abisua", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Zure PHP bertsioa NULL Byte erasoak (CVE-2006-7243) mendera dezake.", "Please update your PHP installation to use %s securely." => "Mesedez eguneratu zure PHP instalazioa %s seguru erabiltzeko", diff --git a/core/l10n/fa.php b/core/l10n/fa.php index e173d628f5f..a9fc022b45a 100644 --- a/core/l10n/fa.php +++ b/core/l10n/fa.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s به اشتراک گذاشته شده است »%s« توسط شما", "group" => "گروه", -"Category type not provided." => "نوع دسته بندی ارائه نشده است.", -"No category to add?" => "آیا گروه دیگری برای افزودن ندارید", -"This category already exists: %s" => "این دسته هم اکنون وجود دارد: %s", -"Object type not provided." => "نوع شی ارائه نشده است.", -"%s ID not provided." => "شناسه %s ارائه نشده است.", -"Error adding %s to favorites." => "خطای اضافه کردن %s به علاقه مندی ها.", -"No categories selected for deletion." => "هیج دسته ای برای پاک شدن انتخاب نشده است", -"Error removing %s from favorites." => "خطای پاک کردن %s از علاقه مندی ها.", "Sunday" => "یکشنبه", "Monday" => "دوشنبه", "Tuesday" => "سه شنبه", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "قبول", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "منصرف شدن", -"The object type is not specified." => "نوع شی تعیین نشده است.", -"Error" => "خطا", -"The app name is not specified." => "نام برنامه تعیین نشده است.", -"The required file {file} is not installed!" => "پرونده { پرونده} درخواست شده نصب نشده است !", "Shared" => "اشتراک گذاشته شده", "Share" => "اشتراکگذاری", +"Error" => "خطا", "Error while sharing" => "خطا درحال به اشتراک گذاشتن", "Error while unsharing" => "خطا درحال لغو اشتراک", "Error while changing permissions" => "خطا در حال تغییر مجوز", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "درحال ارسال ...", "Email sent" => "ایمیل ارسال شد", "Warning" => "اخطار", +"The object type is not specified." => "نوع شی تعیین نشده است.", +"Delete" => "حذف", +"Add" => "افزودن", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "به روز رسانی ناموفق بود. لطفا این خطا را به <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">جامعه ی OwnCloud</a> گزارش نمایید.", "The update was successful. Redirecting you to ownCloud now." => "به روزرسانی موفقیت آمیز بود. در حال انتقال شما به OwnCloud.", "Use the following link to reset your password: {link}" => "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", @@ -105,8 +97,6 @@ $TRANSLATIONS = array( "Help" => "راهنما", "Access forbidden" => "اجازه دسترسی به مناطق ممنوعه را ندارید", "Cloud not found" => "پیدا نشد", -"Edit categories" => "ویرایش گروه", -"Add" => "افزودن", "Security Warning" => "اخطار امنیتی", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "نسخه ی PHP شما در برابر حملات NULL Byte آسیب پذیر است.(CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "هیچ مولد تصادفی امن در دسترس نیست، لطفا فرمت PHP OpenSSL را فعال نمایید.", diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 62a8ec294ef..85b3ab3a14a 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -9,12 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Päivitetään tiedostojen välimuistia, tämä saattaa kestää todella kauan...", "Updated filecache" => "Tiedostojen välimuisti päivitetty", "... %d%% done ..." => "... %d%% valmis ...", -"Category type not provided." => "Luokan tyyppiä ei määritelty.", -"No category to add?" => "Ei lisättävää luokkaa?", -"This category already exists: %s" => "Luokka on jo olemassa: %s", -"Error adding %s to favorites." => "Virhe lisätessä kohdetta %s suosikkeihin.", -"No categories selected for deletion." => "Luokkia ei valittu poistettavaksi.", -"Error removing %s from favorites." => "Virhe poistaessa kohdetta %s suosikeista.", "No image or file provided" => "Kuvaa tai tiedostoa ei määritelty", "Unknown filetype" => "Tuntematon tiedostotyyppi", "Invalid image" => "Virhellinen kuva", @@ -61,11 +55,9 @@ $TRANSLATIONS = array( "Continue" => "Jatka", "(all selected)" => "(kaikki valittu)", "({count} selected)" => "({count} valittu)", -"Error" => "Virhe", -"The app name is not specified." => "Sovelluksen nimeä ei ole määritelty.", -"The required file {file} is not installed!" => "Vaadittua tiedostoa {file} ei ole asennettu!", "Shared" => "Jaettu", "Share" => "Jaa", +"Error" => "Virhe", "Error while sharing" => "Virhe jaettaessa", "Error while unsharing" => "Virhe jakoa peruttaessa", "Error while changing permissions" => "Virhe oikeuksia muuttaessa", @@ -98,6 +90,9 @@ $TRANSLATIONS = array( "Sending ..." => "Lähetetään...", "Email sent" => "Sähköposti lähetetty", "Warning" => "Varoitus", +"Delete" => "Poista", +"Add" => "Lisää", +"Edit tags" => "Muokkaa tunnisteita", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Päivitys epäonnistui. Ilmoita ongelmasta <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud-yhteisölle</a>.", "The update was successful. Redirecting you to ownCloud now." => "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi.", "%s password reset" => "%s salasanan nollaus", @@ -117,12 +112,12 @@ $TRANSLATIONS = array( "Apps" => "Sovellukset", "Admin" => "Ylläpitäjä", "Help" => "Ohje", +"Error loading tags" => "Virhe tunnisteita ladattaessa", +"Tag already exists" => "Tunniste on jo olemassa", "Access forbidden" => "Pääsy estetty", "Cloud not found" => "Pilveä ei löydy", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hei sinä!\n\n%s jakoi kohteen %s kanssasi.\nTutustu siihen: %s\n\n", "The share will expire on %s.\n\n" => "Jakaminen päättyy %s.\n\n", -"Edit categories" => "Muokkaa luokkia", -"Add" => "Lisää", "Security Warning" => "Turvallisuusvaroitus", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP-asennuksesi on haavoittuvainen NULL Byte -hyökkäykselle (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Päivitä PHP-asennus varmistaaksesi, että %s on turvallinen käyttää.", diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 83460f43343..82b93172a1e 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s partagé »%s« avec vous", +"Couldn't send mail to following users: %s " => "Impossible d'envoyer un mail aux utilisateurs suivant : %s", "group" => "groupe", "Turned on maintenance mode" => "Basculé en mode maintenance", "Turned off maintenance mode" => "Basculé en mode production (non maintenance)", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "En cours de mise à jour de cache de fichiers. Cette opération peut être très longue...", "Updated filecache" => "Cache de fichier mis à jour", "... %d%% done ..." => "... %d%% effectué ...", -"Category type not provided." => "Type de catégorie non spécifié.", -"No category to add?" => "Pas de catégorie à ajouter ?", -"This category already exists: %s" => "Cette catégorie existe déjà : %s", -"Object type not provided." => "Type d'objet non spécifié.", -"%s ID not provided." => "L'identifiant de %s n'est pas spécifié.", -"Error adding %s to favorites." => "Erreur lors de l'ajout de %s aux favoris.", -"No categories selected for deletion." => "Pas de catégorie sélectionnée pour la suppression.", -"Error removing %s from favorites." => "Erreur lors de la suppression de %s des favoris.", "No image or file provided" => "Aucune image ou fichier fourni", "Unknown filetype" => "Type de fichier inconnu", "Invalid image" => "Image invalide", @@ -67,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(tous sélectionnés)", "({count} selected)" => "({count} sélectionnés)", "Error loading file exists template" => "Erreur de chargement du modèle de fichier existant", -"The object type is not specified." => "Le type d'objet n'est pas spécifié.", -"Error" => "Erreur", -"The app name is not specified." => "Le nom de l'application n'est pas spécifié.", -"The required file {file} is not installed!" => "Le fichier requis {file} n'est pas installé !", "Shared" => "Partagé", "Share" => "Partager", +"Error" => "Erreur", "Error while sharing" => "Erreur lors de la mise en partage", "Error while unsharing" => "Erreur lors de l'annulation du partage", "Error while changing permissions" => "Erreur lors du changement des permissions", @@ -92,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Le repartage n'est pas autorisé", "Shared in {item} with {user}" => "Partagé dans {item} avec {user}", "Unshare" => "Ne plus partager", +"notify user by email" => "Prévenir l'utilisateur par couriel", "can edit" => "édition autorisée", "access control" => "contrôle des accès", "create" => "créer", @@ -104,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "En cours d'envoi ...", "Email sent" => "Email envoyé", "Warning" => "Attention", +"The object type is not specified." => "Le type d'objet n'est pas spécifié.", +"Delete" => "Supprimer", +"Add" => "Ajouter", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La mise à jour a échoué. Veuillez signaler ce problème à la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">communauté ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud.", "%s password reset" => "Réinitialisation de votre mot de passe %s", @@ -126,8 +120,9 @@ $TRANSLATIONS = array( "Help" => "Aide", "Access forbidden" => "Accès interdit", "Cloud not found" => "Introuvable", -"Edit categories" => "Editer les catégories", -"Add" => "Ajouter", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Bonjour,\n\nJuste pour vous signaler que %s a partagé %s avec vous.\nConsultez-le : %s\n", +"The share will expire on %s.\n\n" => "Le partage expire le %s.\n\n", +"Cheers!" => "Salutations!", "Security Warning" => "Avertissement de sécurité", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Votre version de PHP est vulnérable à l'attaque par caractère NULL (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Veuillez mettre à jour votre installation PHP pour utiliser %s de façon sécurisée.", @@ -146,15 +141,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Tablespaces de la base de données", "Database host" => "Serveur de la base de données", "Finish setup" => "Terminer l'installation", +"Finishing …" => "En cours de finalisation...", "%s is available. Get more information on how to update." => "%s est disponible. Obtenez plus d'informations sur la façon de mettre à jour.", "Log out" => "Se déconnecter", "Automatic logon rejected!" => "Connexion automatique rejetée !", "If you did not change your password recently, your account may be compromised!" => "Si vous n'avez pas changé votre mot de passe récemment, votre compte risque d'être compromis !", "Please change your password to secure your account again." => "Veuillez changer votre mot de passe pour sécuriser à nouveau votre compte.", +"Server side authentication failed!" => "L'authentification côté serveur a échoué !", +"Please contact your administrator." => "Veuillez contacter votre administrateur.", "Lost your password?" => "Mot de passe perdu ?", "remember" => "se souvenir de moi", "Log in" => "Connexion", "Alternative Logins" => "Logins alternatifs", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Bonjour,<br><br>Juste pour vous informer que %s a partagé »%s« avec vous.<br><a href=\"%s\">Consultez-le !</a><br><br>", +"The share will expire on %s.<br><br>" => "Le partage expirera le %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Mise à jour en cours d'ownCloud vers la version %s, cela peut prendre du temps." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 531788f1712..b864294d590 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Actualizando o ficheiro da caché, isto pode levar bastante tempo...", "Updated filecache" => "Ficheiro da caché actualizado", "... %d%% done ..." => "... %d%% feito ...", -"Category type not provided." => "Non se indicou o tipo de categoría", -"No category to add?" => "Sen categoría que engadir?", -"This category already exists: %s" => "Esta categoría xa existe: %s", -"Object type not provided." => "Non se forneceu o tipo de obxecto.", -"%s ID not provided." => "Non se forneceu o ID %s.", -"Error adding %s to favorites." => "Produciuse un erro ao engadir %s aos favoritos.", -"No categories selected for deletion." => "Non se seleccionaron categorías para eliminación.", -"Error removing %s from favorites." => "Produciuse un erro ao eliminar %s dos favoritos.", "No image or file provided" => "Non forneceu ningunha imaxe ou ficheiro", "Unknown filetype" => "Tipo de ficheiro descoñecido", "Invalid image" => "Imaxe incorrecta", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(todo o seleccionado)", "({count} selected)" => "({count} seleccionados)", "Error loading file exists template" => "Produciuse un erro ao cargar o modelo de ficheiro existente", -"The object type is not specified." => "Non se especificou o tipo de obxecto.", -"Error" => "Erro", -"The app name is not specified." => "Non se especificou o nome do aplicativo.", -"The required file {file} is not installed!" => "Non está instalado o ficheiro {file} que se precisa", "Shared" => "Compartir", "Share" => "Compartir", +"Error" => "Erro", "Error while sharing" => "Produciuse un erro ao compartir", "Error while unsharing" => "Produciuse un erro ao deixar de compartir", "Error while changing permissions" => "Produciuse un erro ao cambiar os permisos", @@ -106,6 +95,12 @@ $TRANSLATIONS = array( "Sending ..." => "Enviando...", "Email sent" => "Correo enviado", "Warning" => "Aviso", +"The object type is not specified." => "Non se especificou o tipo de obxecto.", +"Delete" => "Eliminar", +"Add" => "Engadir", +"Edit tags" => "Editar etiquetas", +"Error loading dialog template: {error}" => "Produciuse un erro ao cargar o modelo do dialogo: {error}", +"No tags selected for deletion." => "Non se seleccionaron etiquetas para borrado.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A actualización non foi satisfactoria, informe deste problema á <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunidade de ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "A actualización realizouse correctamente. Redirixíndoo agora á ownCloud.", "%s password reset" => "Restabelecer o contrasinal %s", @@ -126,13 +121,14 @@ $TRANSLATIONS = array( "Apps" => "Aplicativos", "Admin" => "Administración", "Help" => "Axuda", +"Error loading tags" => "Produciuse un erro ao cargar as etiquetas", +"Tag already exists" => "Xa existe a etiqueta", +"Error deleting tag(s)" => "Produciuse un erro ao eliminar a(s) etiqueta(s)", "Access forbidden" => "Acceso denegado", "Cloud not found" => "Nube non atopada", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ola,\n\nsó facerlle saber que %s compartiu %s con vostede.\nVéxao en: %s\n\n", "The share will expire on %s.\n\n" => "Esta compartición caduca o %s.\n\n", "Cheers!" => "Saúdos!", -"Edit categories" => "Editar as categorías", -"Add" => "Engadir", "Security Warning" => "Aviso de seguranza", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "A súa versión de PHP é vulnerábel a un ataque de byte nulo (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Actualice a instalación de PHP para empregar %s de xeito seguro.", diff --git a/core/l10n/he.php b/core/l10n/he.php index 30ef27664ea..5b81ec547d9 100644 --- a/core/l10n/he.php +++ b/core/l10n/he.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s שיתף/שיתפה איתך את »%s«", "group" => "קבוצה", -"Category type not provided." => "סוג הקטגוריה לא סופק.", -"No category to add?" => "אין קטגוריה להוספה?", -"This category already exists: %s" => "הקטגוריה הבאה כבר קיימת: %s", -"Object type not provided." => "סוג הפריט לא סופק.", -"%s ID not provided." => "מזהה %s לא סופק.", -"Error adding %s to favorites." => "אירעה שגיאה בעת הוספת %s למועדפים.", -"No categories selected for deletion." => "לא נבחרו קטגוריות למחיקה", -"Error removing %s from favorites." => "שגיאה בהסרת %s מהמועדפים.", "Sunday" => "יום ראשון", "Monday" => "יום שני", "Tuesday" => "יום שלישי", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "בסדר", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "ביטול", -"The object type is not specified." => "סוג הפריט לא צוין.", -"Error" => "שגיאה", -"The app name is not specified." => "שם היישום לא צוין.", -"The required file {file} is not installed!" => "הקובץ הנדרש {file} אינו מותקן!", "Shared" => "שותף", "Share" => "שתף", +"Error" => "שגיאה", "Error while sharing" => "שגיאה במהלך השיתוף", "Error while unsharing" => "שגיאה במהלך ביטול השיתוף", "Error while changing permissions" => "שגיאה במהלך שינוי ההגדרות", @@ -83,6 +72,9 @@ $TRANSLATIONS = array( "Sending ..." => "מתבצעת שליחה ...", "Email sent" => "הודעת הדוא״ל נשלחה", "Warning" => "אזהרה", +"The object type is not specified." => "סוג הפריט לא צוין.", +"Delete" => "מחיקה", +"Add" => "הוספה", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "תהליך העדכון לא הושלם בהצלחה. נא דווח את הבעיה ב<a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">קהילת ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "תהליך העדכון הסתיים בהצלחה. עכשיו מנתב אותך אל ownCloud.", "Use the following link to reset your password: {link}" => "יש להשתמש בקישור הבא כדי לאפס את הססמה שלך: {link}", @@ -103,8 +95,6 @@ $TRANSLATIONS = array( "Help" => "עזרה", "Access forbidden" => "הגישה נחסמה", "Cloud not found" => "ענן לא נמצא", -"Edit categories" => "ערוך קטגוריות", -"Add" => "הוספה", "Security Warning" => "אזהרת אבטחה", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "גרסת ה־PHP פגיעה בפני התקפת בית NULL/ריק (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "נא לעדכן את התקנת ה-PHP שלך כדי להשתמש ב-%s בצורה מאובטחת.", diff --git a/core/l10n/hi.php b/core/l10n/hi.php index ec9381c787d..c8bfaac9267 100644 --- a/core/l10n/hi.php +++ b/core/l10n/hi.php @@ -1,8 +1,5 @@ <?php $TRANSLATIONS = array( -"Category type not provided." => "कैटेगरी प्रकार उपलब्ध नहीं है", -"This category already exists: %s" => "यह कैटेगरी पहले से ही मौजूद है: %s", -"Object type not provided." => "ऑब्जेक्ट प्रकार नहीं दिया हुआ", "Sunday" => "रविवार", "Monday" => "सोमवार", "Tuesday" => "मंगलवार", @@ -28,8 +25,8 @@ $TRANSLATIONS = array( "_%n day ago_::_%n days ago_" => array("",""), "_%n month ago_::_%n months ago_" => array("",""), "_{count} file conflict_::_{count} file conflicts_" => array("",""), -"Error" => "त्रुटि", "Share" => "साझा करें", +"Error" => "त्रुटि", "Share with" => "के साथ साझा", "Password" => "पासवर्ड", "Send" => "भेजें", @@ -37,6 +34,7 @@ $TRANSLATIONS = array( "Sending ..." => "भेजा जा रहा है", "Email sent" => "ईमेल भेज दिया गया है ", "Warning" => "चेतावनी ", +"Add" => "डाले", "Use the following link to reset your password: {link}" => "आगे दिये गये लिंक का उपयोग पासवर्ड बदलने के लिये किजीये: {link}", "You will receive a link to reset your password via Email." => "पासवर्ड बदलने कि लिंक आपको ई-मेल द्वारा भेजी जायेगी|", "Username" => "प्रयोक्ता का नाम", @@ -47,7 +45,6 @@ $TRANSLATIONS = array( "Apps" => "Apps", "Help" => "सहयोग", "Cloud not found" => "क्लौड नहीं मिला ", -"Add" => "डाले", "Security Warning" => "सुरक्षा चेतावनी ", "Create an <strong>admin account</strong>" => "व्यवस्थापक खाता बनाएँ", "Advanced" => "उन्नत", diff --git a/core/l10n/hr.php b/core/l10n/hr.php index 7fa81db8a21..4278dfa7b05 100644 --- a/core/l10n/hr.php +++ b/core/l10n/hr.php @@ -1,7 +1,5 @@ <?php $TRANSLATIONS = array( -"No category to add?" => "Nemate kategorija koje možete dodati?", -"No categories selected for deletion." => "Niti jedna kategorija nije odabrana za brisanje.", "Sunday" => "nedelja", "Monday" => "ponedeljak", "Tuesday" => "utorak", @@ -39,8 +37,8 @@ $TRANSLATIONS = array( "Ok" => "U redu", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Odustani", -"Error" => "Greška", "Share" => "Podijeli", +"Error" => "Greška", "Error while sharing" => "Greška prilikom djeljenja", "Error while unsharing" => "Greška prilikom isključivanja djeljenja", "Error while changing permissions" => "Greška prilikom promjena prava", @@ -63,6 +61,8 @@ $TRANSLATIONS = array( "Password protected" => "Zaštita lozinkom", "Error unsetting expiration date" => "Greška prilikom brisanja datuma isteka", "Error setting expiration date" => "Greška prilikom postavljanja datuma isteka", +"Delete" => "Obriši", +"Add" => "Dodaj", "Use the following link to reset your password: {link}" => "Koristite ovaj link da biste poništili lozinku: {link}", "You will receive a link to reset your password via Email." => "Primit ćete link kako biste poništili zaporku putem e-maila.", "Username" => "Korisničko ime", @@ -78,8 +78,6 @@ $TRANSLATIONS = array( "Help" => "Pomoć", "Access forbidden" => "Pristup zabranjen", "Cloud not found" => "Cloud nije pronađen", -"Edit categories" => "Uredi kategorije", -"Add" => "Dodaj", "Create an <strong>admin account</strong>" => "Stvori <strong>administratorski račun</strong>", "Advanced" => "Napredno", "Data folder" => "Mapa baze podataka", diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index 2cc473a9c01..f2d9d1ba22a 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "A filecache frissítése folyamatban, ez a folyamat hosszabb ideig is eltarthat...", "Updated filecache" => "Filecache frissítve", "... %d%% done ..." => "... %d%% kész ...", -"Category type not provided." => "Nincs megadva a kategória típusa.", -"No category to add?" => "Nincs hozzáadandó kategória?", -"This category already exists: %s" => "Ez a kategória már létezik: %s", -"Object type not provided." => "Az objektum típusa nincs megadva.", -"%s ID not provided." => "%s ID nincs megadva.", -"Error adding %s to favorites." => "Nem sikerült a kedvencekhez adni ezt: %s", -"No categories selected for deletion." => "Nincs törlésre jelölt kategória", -"Error removing %s from favorites." => "Nem sikerült a kedvencekből törölni ezt: %s", "No image or file provided" => "Nincs kép vagy file megadva", "Unknown filetype" => "Ismeretlen file tipús", "Invalid image" => "Hibás kép", @@ -67,12 +59,9 @@ $TRANSLATIONS = array( "(all selected)" => "(all selected)", "({count} selected)" => "({count} kiválasztva)", "Error loading file exists template" => "Hiba a létező sablon betöltésekor", -"The object type is not specified." => "Az objektum típusa nincs megadva.", -"Error" => "Hiba", -"The app name is not specified." => "Az alkalmazás neve nincs megadva.", -"The required file {file} is not installed!" => "A szükséges fájl: {file} nincs telepítve!", "Shared" => "Megosztott", "Share" => "Megosztás", +"Error" => "Hiba", "Error while sharing" => "Nem sikerült létrehozni a megosztást", "Error while unsharing" => "Nem sikerült visszavonni a megosztást", "Error while changing permissions" => "Nem sikerült módosítani a jogosultságokat", @@ -104,6 +93,9 @@ $TRANSLATIONS = array( "Sending ..." => "Küldés ...", "Email sent" => "Az emailt elküldtük", "Warning" => "Figyelmeztetés", +"The object type is not specified." => "Az objektum típusa nincs megadva.", +"Delete" => "Törlés", +"Add" => "Hozzáadás", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A frissítés nem sikerült. Kérem értesítse erről a problémáról az <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud közösséget</a>.", "The update was successful. Redirecting you to ownCloud now." => "A frissítés sikeres volt. Visszairányítjuk az ownCloud szolgáltatáshoz.", "%s password reset" => "%s jelszó visszaállítás", @@ -126,8 +118,6 @@ $TRANSLATIONS = array( "Help" => "Súgó", "Access forbidden" => "A hozzáférés nem engedélyezett", "Cloud not found" => "A felhő nem található", -"Edit categories" => "Kategóriák szerkesztése", -"Add" => "Hozzáadás", "Security Warning" => "Biztonsági figyelmeztetés", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Az Ön PHP verziója sebezhető a NULL bájtos támadással szemben (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Kérjük frissítse a telepített PHP csomagjait, hogy biztonságos legyen az %s szolgáltatása.", diff --git a/core/l10n/hy.php b/core/l10n/hy.php index d2b68819c72..29df048fd94 100644 --- a/core/l10n/hy.php +++ b/core/l10n/hy.php @@ -23,6 +23,7 @@ $TRANSLATIONS = array( "_%n hour ago_::_%n hours ago_" => array("",""), "_%n day ago_::_%n days ago_" => array("",""), "_%n month ago_::_%n months ago_" => array("",""), -"_{count} file conflict_::_{count} file conflicts_" => array("","") +"_{count} file conflict_::_{count} file conflicts_" => array("",""), +"Delete" => "Ջնջել" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ia.php b/core/l10n/ia.php index 48d2588c002..fce101939e4 100644 --- a/core/l10n/ia.php +++ b/core/l10n/ia.php @@ -26,10 +26,12 @@ $TRANSLATIONS = array( "_%n month ago_::_%n months ago_" => array("",""), "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Cancellar", -"Error" => "Error", "Share" => "Compartir", +"Error" => "Error", "Password" => "Contrasigno", "Send" => "Invia", +"Delete" => "Deler", +"Add" => "Adder", "Username" => "Nomine de usator", "Request reset" => "Requestar reinitialisation", "Your password was reset" => "Tu contrasigno esseva reinitialisate", @@ -43,8 +45,6 @@ $TRANSLATIONS = array( "Help" => "Adjuta", "Access forbidden" => "Accesso prohibite", "Cloud not found" => "Nube non trovate", -"Edit categories" => "Modificar categorias", -"Add" => "Adder", "Create an <strong>admin account</strong>" => "Crear un <strong>conto de administration</strong>", "Advanced" => "Avantiate", "Data folder" => "Dossier de datos", diff --git a/core/l10n/id.php b/core/l10n/id.php index 2b987eecd84..d6ec5f0191d 100644 --- a/core/l10n/id.php +++ b/core/l10n/id.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "grup", -"Category type not provided." => "Tipe kategori tidak diberikan.", -"No category to add?" => "Tidak ada kategori yang akan ditambahkan?", -"This category already exists: %s" => "Kategori ini sudah ada: %s", -"Object type not provided." => "Tipe objek tidak diberikan.", -"%s ID not provided." => "ID %s tidak diberikan.", -"Error adding %s to favorites." => "Galat ketika menambah %s ke favorit", -"No categories selected for deletion." => "Tidak ada kategori terpilih untuk dihapus.", -"Error removing %s from favorites." => "Galat ketika menghapus %s dari favorit", "Sunday" => "Minggu", "Monday" => "Senin", "Tuesday" => "Selasa", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "Oke", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "Batal", -"The object type is not specified." => "Tipe objek tidak ditentukan.", -"Error" => "Galat", -"The app name is not specified." => "Nama aplikasi tidak ditentukan.", -"The required file {file} is not installed!" => "Berkas {file} yang dibutuhkan tidak terpasang!", "Shared" => "Dibagikan", "Share" => "Bagikan", +"Error" => "Galat", "Error while sharing" => "Galat ketika membagikan", "Error while unsharing" => "Galat ketika membatalkan pembagian", "Error while changing permissions" => "Galat ketika mengubah izin", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "Mengirim ...", "Email sent" => "Email terkirim", "Warning" => "Peringatan", +"The object type is not specified." => "Tipe objek tidak ditentukan.", +"Delete" => "Hapus", +"Add" => "Tambah", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Pembaruan gagal. Silakan laporkan masalah ini ke <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">komunitas ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Pembaruan sukses. Anda akan diarahkan ulang ke ownCloud.", "Use the following link to reset your password: {link}" => "Gunakan tautan berikut untuk menyetel ulang sandi Anda: {link}", @@ -99,8 +91,6 @@ $TRANSLATIONS = array( "Help" => "Bantuan", "Access forbidden" => "Akses ditolak", "Cloud not found" => "Cloud tidak ditemukan", -"Edit categories" => "Edit kategori", -"Add" => "Tambah", "Security Warning" => "Peringatan Keamanan", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Versi PHP Anda rentan terhadap serangan NULL Byte (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Generator acak yang aman tidak tersedia, silakan aktifkan ekstensi OpenSSL pada PHP.", diff --git a/core/l10n/is.php b/core/l10n/is.php index f72b7290b8f..0de5568aa1e 100644 --- a/core/l10n/is.php +++ b/core/l10n/is.php @@ -1,12 +1,5 @@ <?php $TRANSLATIONS = array( -"Category type not provided." => "Flokkur ekki gefin", -"No category to add?" => "Enginn flokkur til að bæta við?", -"Object type not provided." => "Tegund ekki í boði.", -"%s ID not provided." => "%s ID ekki í boði.", -"Error adding %s to favorites." => "Villa við að bæta %s við eftirlæti.", -"No categories selected for deletion." => "Enginn flokkur valinn til eyðingar.", -"Error removing %s from favorites." => "Villa við að fjarlægja %s úr eftirlæti.", "Sunday" => "Sunnudagur", "Monday" => "Mánudagur", "Tuesday" => "Þriðjudagur", @@ -44,12 +37,9 @@ $TRANSLATIONS = array( "Ok" => "Í lagi", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Hætta við", -"The object type is not specified." => "Tegund ekki tilgreind", -"Error" => "Villa", -"The app name is not specified." => "Nafn forrits ekki tilgreint", -"The required file {file} is not installed!" => "Umbeðina skráin {file} ekki tiltæk!", "Shared" => "Deilt", "Share" => "Deila", +"Error" => "Villa", "Error while sharing" => "Villa við deilingu", "Error while unsharing" => "Villa við að hætta deilingu", "Error while changing permissions" => "Villa við að breyta aðgangsheimildum", @@ -80,6 +70,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sendi ...", "Email sent" => "Tölvupóstur sendur", "Warning" => "Aðvörun", +"The object type is not specified." => "Tegund ekki tilgreind", +"Delete" => "Eyða", +"Add" => "Bæta við", "The update was successful. Redirecting you to ownCloud now." => "Uppfærslan heppnaðist. Beini þér til ownCloud nú.", "Use the following link to reset your password: {link}" => "Notað eftirfarandi veftengil til að endursetja lykilorðið þitt: {link}", "You will receive a link to reset your password via Email." => "Þú munt fá veftengil í tölvupósti til að endursetja lykilorðið.", @@ -96,8 +89,6 @@ $TRANSLATIONS = array( "Help" => "Hjálp", "Access forbidden" => "Aðgangur bannaður", "Cloud not found" => "Ský finnst ekki", -"Edit categories" => "Breyta flokkum", -"Add" => "Bæta við", "Security Warning" => "Öryggis aðvörun", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Enginn traustur slembitölugjafi í boði, vinsamlegast virkjaðu PHP OpenSSL viðbótina.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Án öruggs slembitölugjafa er mögulegt að sjá fyrir öryggis auðkenni til að endursetja lykilorð og komast inn á aðganginn þinn.", diff --git a/core/l10n/it.php b/core/l10n/it.php index 0b2d3768b0c..1cb1a39c743 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aggiornamento della cache dei file in corso, potrebbe richiedere molto tempo...", "Updated filecache" => "Cache dei file aggiornata", "... %d%% done ..." => "... %d%% completato ...", -"Category type not provided." => "Tipo di categoria non fornito.", -"No category to add?" => "Nessuna categoria da aggiungere?", -"This category already exists: %s" => "Questa categoria esiste già: %s", -"Object type not provided." => "Tipo di oggetto non fornito.", -"%s ID not provided." => "ID %s non fornito.", -"Error adding %s to favorites." => "Errore durante l'aggiunta di %s ai preferiti.", -"No categories selected for deletion." => "Nessuna categoria selezionata per l'eliminazione.", -"Error removing %s from favorites." => "Errore durante la rimozione di %s dai preferiti.", "No image or file provided" => "Non è stata fornita alcun immagine o file", "Unknown filetype" => "Tipo di file sconosciuto", "Invalid image" => "Immagine non valida", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(tutti i selezionati)", "({count} selected)" => "({count} selezionati)", "Error loading file exists template" => "Errore durante il caricamento del modello del file esistente", -"The object type is not specified." => "Il tipo di oggetto non è specificato.", -"Error" => "Errore", -"The app name is not specified." => "Il nome dell'applicazione non è specificato.", -"The required file {file} is not installed!" => "Il file richiesto {file} non è installato!", "Shared" => "Condivisi", "Share" => "Condividi", +"Error" => "Errore", "Error while sharing" => "Errore durante la condivisione", "Error while unsharing" => "Errore durante la rimozione della condivisione", "Error while changing permissions" => "Errore durante la modifica dei permessi", @@ -106,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "Invio in corso...", "Email sent" => "Messaggio inviato", "Warning" => "Avviso", +"The object type is not specified." => "Il tipo di oggetto non è specificato.", +"Delete" => "Elimina", +"Add" => "Aggiungi", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'aggiornamento non è riuscito. Segnala il problema alla <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunità di ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud.", "%s password reset" => "Ripristino password di %s", @@ -131,8 +123,6 @@ $TRANSLATIONS = array( "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ciao,\n\nvolevo informarti che %s ha condiviso %s con te.\nVedi: %s\n\n", "The share will expire on %s.\n\n" => "La condivisione scadrà il %s.\n\n", "Cheers!" => "Saluti!", -"Edit categories" => "Modifica categorie", -"Add" => "Aggiungi", "Security Warning" => "Avviso di sicurezza", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "La tua versione di PHP è vulnerabile all'attacco NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Aggiorna la tua installazione di PHP per utilizzare %s in sicurezza.", diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index bf8313f7176..b0c519e3a1c 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%sが あなたと »%s«を共有しました", +"Couldn't send mail to following users: %s " => "次のユーザにメールを送信できませんでした: %s", "group" => "グループ", "Turned on maintenance mode" => "メンテナンスモードがオンになりました", "Turned off maintenance mode" => "メンテナンスモードがオフになりました", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "ファイルキャッシュを更新しています、しばらく掛かる恐れがあります...", "Updated filecache" => "ファイルキャッシュ更新完了", "... %d%% done ..." => "... %d%% 完了 ...", -"Category type not provided." => "カテゴリタイプは提供されていません。", -"No category to add?" => "追加するカテゴリはありませんか?", -"This category already exists: %s" => "このカテゴリはすでに存在します: %s", -"Object type not provided." => "オブジェクトタイプは提供されていません。", -"%s ID not provided." => "%s ID は提供されていません。", -"Error adding %s to favorites." => "お気に入りに %s を追加エラー", -"No categories selected for deletion." => "削除するカテゴリが選択されていません。", -"Error removing %s from favorites." => "お気に入りから %s の削除エラー", "No image or file provided" => "画像もしくはファイルが提供されていません", "Unknown filetype" => "不明なファイルタイプ", "Invalid image" => "無効な画像", @@ -67,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(全て選択)", "({count} selected)" => "({count} 選択)", "Error loading file exists template" => "既存ファイルのテンプレートの読み込みエラー", -"The object type is not specified." => "オブジェクタイプが指定されていません。", -"Error" => "エラー", -"The app name is not specified." => "アプリ名がしていされていません。", -"The required file {file} is not installed!" => "必要なファイル {file} がインストールされていません!", "Shared" => "共有中", "Share" => "共有", +"Error" => "エラー", "Error while sharing" => "共有でエラー発生", "Error while unsharing" => "共有解除でエラー発生", "Error while changing permissions" => "権限変更でエラー発生", @@ -92,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "再共有は許可されていません", "Shared in {item} with {user}" => "{item} 内で {user} と共有中", "Unshare" => "共有解除", +"notify user by email" => "ユーザにメールで通知", "can edit" => "編集可能", "access control" => "アクセス権限", "create" => "作成", @@ -104,6 +95,12 @@ $TRANSLATIONS = array( "Sending ..." => "送信中...", "Email sent" => "メールを送信しました", "Warning" => "警告", +"The object type is not specified." => "オブジェクタイプが指定されていません。", +"Enter new" => "新規に入力", +"Delete" => "削除", +"Add" => "追加", +"Edit tags" => "タグを編集", +"No tags selected for deletion." => "削除するタグが選択されていません。", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "更新に成功しました。この問題を <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a> にレポートしてください。", "The update was successful. Redirecting you to ownCloud now." => "更新に成功しました。今すぐownCloudにリダイレクトします。", "%s password reset" => "%s パスワードリセット", @@ -124,10 +121,14 @@ $TRANSLATIONS = array( "Apps" => "アプリ", "Admin" => "管理", "Help" => "ヘルプ", +"Error loading tags" => "タグの読み込みエラー", +"Tag already exists" => "タグはすでに存在します", +"Error deleting tag(s)" => "タグの削除エラー", +"Error tagging" => "タグの付与エラー", +"Error untagging" => "タグの解除エラー", "Access forbidden" => "アクセスが禁止されています", "Cloud not found" => "見つかりません", -"Edit categories" => "カテゴリを編集", -"Add" => "追加", +"The share will expire on %s.\n\n" => "共有は %s で有効期限が切れます。\n\n", "Security Warning" => "セキュリティ警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "あなたのPHPのバージョンには、Null Byte攻撃(CVE-2006-7243)という脆弱性が含まれています。", "Please update your PHP installation to use %s securely." => "%s を安全に利用する為に インストールされているPHPをアップデートしてください。", @@ -146,15 +147,19 @@ $TRANSLATIONS = array( "Database tablespace" => "データベースの表領域", "Database host" => "データベースのホスト名", "Finish setup" => "セットアップを完了します", +"Finishing …" => "終了しています ...", "%s is available. Get more information on how to update." => "%s が利用可能です。更新方法に関してさらに情報を取得して下さい。", "Log out" => "ログアウト", "Automatic logon rejected!" => "自動ログインは拒否されました!", "If you did not change your password recently, your account may be compromised!" => "最近パスワードを変更していない場合、あなたのアカウントは危険にさらされているかもしれません。", "Please change your password to secure your account again." => "アカウント保護の為、パスワードを再度の変更をお願いいたします。", +"Server side authentication failed!" => "サーバサイドの認証に失敗しました!", +"Please contact your administrator." => "管理者に問い合わせてください。", "Lost your password?" => "パスワードを忘れましたか?", "remember" => "パスワードを記憶する", "Log in" => "ログイン", "Alternative Logins" => "代替ログイン", +"The share will expire on %s.<br><br>" => "共有は %s で有効期限が切れます。<br><br>", "Updating ownCloud to version %s, this may take a while." => "ownCloud をバージョン %s に更新しています、しばらくお待ち下さい。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ka_GE.php b/core/l10n/ka_GE.php index a32960e1a23..4e38aeede13 100644 --- a/core/l10n/ka_GE.php +++ b/core/l10n/ka_GE.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "ჯგუფი", -"Category type not provided." => "კატეგორიის ტიპი არ არის განხილული.", -"No category to add?" => "არ არის კატეგორია დასამატებლად?", -"This category already exists: %s" => "კატეგორია უკვე არსებობს: %s", -"Object type not provided." => "ობიექტის ტიპი არ არის განხილული.", -"%s ID not provided." => "%s ID არ არის განხილული", -"Error adding %s to favorites." => "შეცდომა %s–ის ფევორიტებში დამატების დროს.", -"No categories selected for deletion." => "სარედაქტირებელი კატეგორია არ არის არჩეული ", -"Error removing %s from favorites." => "შეცდომა %s–ის ფევორიტებიდან წაშლის დროს.", "Sunday" => "კვირა", "Monday" => "ორშაბათი", "Tuesday" => "სამშაბათი", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "დიახ", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "უარყოფა", -"The object type is not specified." => "ობიექტის ტიპი არ არის მითითებული.", -"Error" => "შეცდომა", -"The app name is not specified." => "აპლიკაციის სახელი არ არის მითითებული.", -"The required file {file} is not installed!" => "მოთხოვნილი ფაილი {file} არ არის დაინსტალირებული.", "Shared" => "გაზიარებული", "Share" => "გაზიარება", +"Error" => "შეცდომა", "Error while sharing" => "შეცდომა გაზიარების დროს", "Error while unsharing" => "შეცდომა გაზიარების გაუქმების დროს", "Error while changing permissions" => "შეცდომა დაშვების ცვლილების დროს", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "გაგზავნა ....", "Email sent" => "იმეილი გაიგზავნა", "Warning" => "გაფრთხილება", +"The object type is not specified." => "ობიექტის ტიპი არ არის მითითებული.", +"Delete" => "წაშლა", +"Add" => "დამატება", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "განახლება ვერ განხორციელდა. გთხოვთ შეგვატყობინოთ ამ პრობლემის შესახებ აქ: <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "განახლება ვერ განხორციელდა. გადამისამართება თქვენს ownCloud–ზე.", "Use the following link to reset your password: {link}" => "გამოიყენე შემდეგი ლინკი პაროლის შესაცვლელად: {link}", @@ -99,8 +91,6 @@ $TRANSLATIONS = array( "Help" => "დახმარება", "Access forbidden" => "წვდომა აკრძალულია", "Cloud not found" => "ღრუბელი არ არსებობს", -"Edit categories" => "კატეგორიების რედაქტირება", -"Add" => "დამატება", "Security Warning" => "უსაფრთხოების გაფრთხილება", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "თქვენი PHP ვერსია შეიცავს საფრთხეს NULL Byte შეტევებისთვის (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "შემთხვევითი სიმბოლოების გენერატორი არ არსებობს, გთხოვთ ჩართოთ PHP OpenSSL გაფართოება.", diff --git a/core/l10n/ko.php b/core/l10n/ko.php index 92c7b96f01c..9eccf12d089 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "그룹", -"Category type not provided." => "분류 형식이 제공되지 않았습니다.", -"No category to add?" => "추가할 분류가 없습니까?", -"This category already exists: %s" => "분류가 이미 존재합니다: %s", -"Object type not provided." => "객체 형식이 제공되지 않았습니다.", -"%s ID not provided." => "%s ID가 제공되지 않았습니다.", -"Error adding %s to favorites." => "책갈피에 %s을(를) 추가할 수 없었습니다.", -"No categories selected for deletion." => "삭제할 분류를 선택하지 않았습니다. ", -"Error removing %s from favorites." => "책갈피에서 %s을(를) 삭제할 수 없었습니다.", "Sunday" => "일요일", "Monday" => "월요일", "Tuesday" => "화요일", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "승락", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "취소", -"The object type is not specified." => "객체 유형이 지정되지 않았습니다.", -"Error" => "오류", -"The app name is not specified." => "앱 이름이 지정되지 않았습니다.", -"The required file {file} is not installed!" => "필요한 파일 {file}이(가) 설치되지 않았습니다!", "Shared" => "공유됨", "Share" => "공유", +"Error" => "오류", "Error while sharing" => "공유하는 중 오류 발생", "Error while unsharing" => "공유 해제하는 중 오류 발생", "Error while changing permissions" => "권한 변경하는 중 오류 발생", @@ -83,6 +72,9 @@ $TRANSLATIONS = array( "Sending ..." => "전송 중...", "Email sent" => "이메일 발송됨", "Warning" => "경고", +"The object type is not specified." => "객체 유형이 지정되지 않았습니다.", +"Delete" => "삭제", +"Add" => "추가", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "업데이트가 실패하였습니다. 이 문제를 <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud 커뮤니티</a>에 보고해 주십시오.", "The update was successful. Redirecting you to ownCloud now." => "업데이트가 성공하였습니다. ownCloud로 돌아갑니다.", "Use the following link to reset your password: {link}" => "다음 링크를 사용하여 암호를 재설정할 수 있습니다: {link}", @@ -102,8 +94,6 @@ $TRANSLATIONS = array( "Help" => "도움말", "Access forbidden" => "접근 금지됨", "Cloud not found" => "클라우드를 찾을 수 없습니다", -"Edit categories" => "분류 수정", -"Add" => "추가", "Security Warning" => "보안 경고", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "사용 중인 PHP 버전이 NULL 바이트 공격에 취약합니다 (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "안전한 난수 생성기를 사용할 수 없습니다. PHP의 OpenSSL 확장을 활성화해 주십시오.", diff --git a/core/l10n/ku_IQ.php b/core/l10n/ku_IQ.php index e11cf0b5a96..b809c643173 100644 --- a/core/l10n/ku_IQ.php +++ b/core/l10n/ku_IQ.php @@ -6,10 +6,11 @@ $TRANSLATIONS = array( "_%n day ago_::_%n days ago_" => array("",""), "_%n month ago_::_%n months ago_" => array("",""), "_{count} file conflict_::_{count} file conflicts_" => array("",""), -"Error" => "ههڵه", "Share" => "هاوبەشی کردن", +"Error" => "ههڵه", "Password" => "وشەی تێپەربو", "Warning" => "ئاگاداری", +"Add" => "زیادکردن", "Username" => "ناوی بهکارهێنهر", "New password" => "وشەی نهێنی نوێ", "Reset password" => "دووباره كردنهوهی وشهی نهێنی", @@ -18,7 +19,6 @@ $TRANSLATIONS = array( "Admin" => "بهڕێوهبهری سهرهكی", "Help" => "یارمەتی", "Cloud not found" => "هیچ نهدۆزرایهوه", -"Add" => "زیادکردن", "Advanced" => "ههڵبژاردنی پیشكهوتوو", "Data folder" => "زانیاری فۆڵدهر", "Database user" => "بهكارهێنهری داتابهیس", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index 17e4345ad51..faebdda63d3 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "Den/D' %s huet »%s« mat dir gedeelt", "group" => "Grupp", -"Category type not provided." => "Typ vun der Kategorie net uginn.", -"No category to add?" => "Keng Kategorie fir bäizesetzen?", -"This category already exists: %s" => "Dës Kategorie existéiert schon: %s", -"Object type not provided." => "Typ vum Objet net uginn.", -"%s ID not provided." => "%s ID net uginn.", -"Error adding %s to favorites." => "Feeler beim dobäisetze vun %s bei d'Favoritten.", -"No categories selected for deletion." => "Keng Kategorien ausgewielt fir ze läschen.", -"Error removing %s from favorites." => "Feeler beim läsche vun %s aus de Favoritten.", "Sunday" => "Sonndeg", "Monday" => "Méindeg", "Tuesday" => "Dënschdeg", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "OK", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Ofbriechen", -"The object type is not specified." => "Den Typ vum Object ass net uginn.", -"Error" => "Feeler", -"The app name is not specified." => "Den Numm vun der App ass net uginn.", -"The required file {file} is not installed!" => "De benéidegte Fichier {file} ass net installéiert!", "Shared" => "Gedeelt", "Share" => "Deelen", +"Error" => "Feeler", "Error while sharing" => "Feeler beim Deelen", "Error while unsharing" => "Feeler beim Annuléiere vum Deelen", "Error while changing permissions" => "Feeler beim Ännere vun de Rechter", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Gëtt geschéckt...", "Email sent" => "Email geschéckt", "Warning" => "Warnung", +"The object type is not specified." => "Den Typ vum Object ass net uginn.", +"Delete" => "Läschen", +"Add" => "Dobäisetzen", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Den Update war net erfollegräich. Mell dëse Problem w.e.gl der<a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud-Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Den Update war erfollegräich. Du gëss elo bei d'ownCloud ëmgeleet.", "Use the following link to reset your password: {link}" => "Benotz folgende Link fir däi Passwuert zréckzesetzen: {link}", @@ -105,8 +97,6 @@ $TRANSLATIONS = array( "Help" => "Hëllef", "Access forbidden" => "Zougrëff net erlaabt", "Cloud not found" => "Cloud net fonnt", -"Edit categories" => "Kategorien editéieren", -"Add" => "Dobäisetzen", "Security Warning" => "Sécherheets-Warnung", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Deng PHP-Versioun ass verwonnbar duerch d'NULL-Byte-Attack (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Et ass kee sécheren Zoufallsgenerator verfügbar. Aktivéier w.e.gl d'OpenSSL-Erweiderung vu PHP.", diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index f25b8ab762f..81e3be95e0f 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Atnaujinama failų talpykla, tai gali užtrukti labai ilgai...", "Updated filecache" => "Atnaujinta failų talpykla", "... %d%% done ..." => "... %d%% atlikta ...", -"Category type not provided." => "Kategorija nenurodyta.", -"No category to add?" => "Nepridėsite jokios kategorijos?", -"This category already exists: %s" => "Ši kategorija jau egzistuoja: %s", -"Object type not provided." => "Objekto tipas nenurodytas.", -"%s ID not provided." => "%s ID nenurodytas.", -"Error adding %s to favorites." => "Klaida perkeliant %s į jūsų mėgstamiausius.", -"No categories selected for deletion." => "Trynimui nepasirinkta jokia kategorija.", -"Error removing %s from favorites." => "Klaida ištrinant %s iš jūsų mėgstamiausius.", "No image or file provided" => "Nenurodytas paveikslėlis ar failas", "Unknown filetype" => "Nežinomas failo tipas", "Invalid image" => "Netinkamas paveikslėlis", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(visi pažymėti)", "({count} selected)" => "({count} pažymėtų)", "Error loading file exists template" => "Klaida įkeliant esančių failų ruošinį", -"The object type is not specified." => "Objekto tipas nenurodytas.", -"Error" => "Klaida", -"The app name is not specified." => "Nenurodytas programos pavadinimas.", -"The required file {file} is not installed!" => "Reikalingas {file} failas nėra įrašytas!", "Shared" => "Dalinamasi", "Share" => "Dalintis", +"Error" => "Klaida", "Error while sharing" => "Klaida, dalijimosi metu", "Error while unsharing" => "Klaida, kai atšaukiamas dalijimasis", "Error while changing permissions" => "Klaida, keičiant privilegijas", @@ -106,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "Siunčiama...", "Email sent" => "Laiškas išsiųstas", "Warning" => "Įspėjimas", +"The object type is not specified." => "Objekto tipas nenurodytas.", +"Delete" => "Ištrinti", +"Add" => "Pridėti", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Atnaujinimas buvo nesėkmingas. PApie tai prašome pranešti the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud bendruomenei</a>.", "The update was successful. Redirecting you to ownCloud now." => "Atnaujinimas buvo sėkmingas. Nukreipiame į jūsų ownCloud.", "%s password reset" => "%s slaptažodžio atnaujinimas", @@ -131,8 +123,6 @@ $TRANSLATIONS = array( "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Labas,\n\nInformuojame, kad %s pasidalino su Jumis %s.\nPažiūrėti tai: %s\n", "The share will expire on %s.\n\n" => "Bendrinimo laikas baigsis %s.\n", "Cheers!" => "Sveikinimai!", -"Edit categories" => "Redaguoti kategorijas", -"Add" => "Pridėti", "Security Warning" => "Saugumo pranešimas", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Jūsų PHP versija yra pažeidžiama prieš NULL Byte ataką (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Prašome atnaujinti savo PHP, kad saugiai naudoti %s.", diff --git a/core/l10n/lv.php b/core/l10n/lv.php index 998a03c5dd1..647ad2bca3f 100644 --- a/core/l10n/lv.php +++ b/core/l10n/lv.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s kopīgots »%s« ar jums", "group" => "grupa", -"Category type not provided." => "Kategorijas tips nav norādīts.", -"No category to add?" => "Nav kategoriju, ko pievienot?", -"This category already exists: %s" => "Šāda kategorija jau eksistē — %s", -"Object type not provided." => "Objekta tips nav norādīts.", -"%s ID not provided." => "%s ID nav norādīts.", -"Error adding %s to favorites." => "Kļūda, pievienojot %s izlasei.", -"No categories selected for deletion." => "Neviena kategorija nav izvēlēta dzēšanai.", -"Error removing %s from favorites." => "Kļūda, izņemot %s no izlases.", "Sunday" => "Svētdiena", "Monday" => "Pirmdiena", "Tuesday" => "Otrdiena", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "Labi", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Atcelt", -"The object type is not specified." => "Nav norādīts objekta tips.", -"Error" => "Kļūda", -"The app name is not specified." => "Nav norādīts lietotnes nosaukums.", -"The required file {file} is not installed!" => "Pieprasītā datne {file} nav instalēta!", "Shared" => "Kopīgs", "Share" => "Dalīties", +"Error" => "Kļūda", "Error while sharing" => "Kļūda, daloties", "Error while unsharing" => "Kļūda, beidzot dalīties", "Error while changing permissions" => "Kļūda, mainot atļaujas", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sūta...", "Email sent" => "Vēstule nosūtīta", "Warning" => "Brīdinājums", +"The object type is not specified." => "Nav norādīts objekta tips.", +"Delete" => "Dzēst", +"Add" => "Pievienot", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Atjaunināšana beidzās nesekmīgi. Lūdzu, ziņojiet par šo problēmu <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud kopienai</a>.", "The update was successful. Redirecting you to ownCloud now." => "Atjaunināšana beidzās sekmīgi. Tagad pārsūta jūs uz ownCloud.", "%s password reset" => "%s paroles maiņa", @@ -106,8 +98,6 @@ $TRANSLATIONS = array( "Help" => "Palīdzība", "Access forbidden" => "Pieeja ir liegta", "Cloud not found" => "Mākonis netika atrasts", -"Edit categories" => "Rediģēt kategoriju", -"Add" => "Pievienot", "Security Warning" => "Brīdinājums par drošību", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Jūsu PHP ir ievainojamība pret NULL Byte uzbrukumiem (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Lūdzu atjauniniet PHP instalāciju lai varētu droši izmantot %s.", diff --git a/core/l10n/mk.php b/core/l10n/mk.php index e5743896521..35815d145b5 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -3,14 +3,6 @@ $TRANSLATIONS = array( "group" => "група", "Updated database" => "Базата е надградена", "Updated filecache" => "Кешот е надграден", -"Category type not provided." => "Не беше доставен тип на категорија.", -"No category to add?" => "Нема категорија да се додаде?", -"This category already exists: %s" => "Оваа категорија веќе постои: %s", -"Object type not provided." => "Не беше доставен тип на објект.", -"%s ID not provided." => "%s ID не беше доставено.", -"Error adding %s to favorites." => "Грешка при додавање %s во омилени.", -"No categories selected for deletion." => "Не е одбрана категорија за бришење.", -"Error removing %s from favorites." => "Грешка при бришење на %s од омилени.", "Invalid image" => "Невалидна фотографија", "Sunday" => "Недела", "Monday" => "Понеделник", @@ -53,12 +45,9 @@ $TRANSLATIONS = array( "(all selected)" => "(сите одбрани)", "({count} selected)" => "({count} одбраните)", "Error loading file exists template" => "Грешка при вчитување на датотеката, шаблонот постои ", -"The object type is not specified." => "Не е специфициран типот на објект.", -"Error" => "Грешка", -"The app name is not specified." => "Името на апликацијата не е специфицирано.", -"The required file {file} is not installed!" => "Задолжителната датотека {file} не е инсталирана!", "Shared" => "Споделен", "Share" => "Сподели", +"Error" => "Грешка", "Error while sharing" => "Грешка при споделување", "Error while unsharing" => "Грешка при прекин на споделување", "Error while changing permissions" => "Грешка при промена на привилегии", @@ -91,6 +80,9 @@ $TRANSLATIONS = array( "Sending ..." => "Праќање...", "Email sent" => "Е-порака пратена", "Warning" => "Предупредување", +"The object type is not specified." => "Не е специфициран типот на објект.", +"Delete" => "Избриши", +"Add" => "Додади", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Надградбата беше неуспешна. Ве молиме пријавете го овој проблем на <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Надградбата беше успешна. Веднаш ве префрлам на вашиот ownCloud.", "%s password reset" => "%s ресетирање на лозинката", @@ -113,8 +105,6 @@ $TRANSLATIONS = array( "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Здраво,\n\nСамо да ве известам дека %s shared %s with you.\nView it: %s\n\n", "The share will expire on %s.\n\n" => "Споделувањето ќе заврши на %s.\n\n", "Cheers!" => "Поздрав!", -"Edit categories" => "Уреди категории", -"Add" => "Додади", "Security Warning" => "Безбедносно предупредување", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Вашата верзија на PHP е ранлива на NULL Byte attack (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Не е достапен безбеден генератор на случајни броеви, Ве молам озвоможете го OpenSSL PHP додатокот.", diff --git a/core/l10n/ms_MY.php b/core/l10n/ms_MY.php index cac2dbff2a2..9d30010e6ce 100644 --- a/core/l10n/ms_MY.php +++ b/core/l10n/ms_MY.php @@ -1,7 +1,5 @@ <?php $TRANSLATIONS = array( -"No category to add?" => "Tiada kategori untuk di tambah?", -"No categories selected for deletion." => "Tiada kategori dipilih untuk dibuang.", "Sunday" => "Ahad", "Monday" => "Isnin", "Tuesday" => "Selasa", @@ -31,10 +29,12 @@ $TRANSLATIONS = array( "Ok" => "Ok", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "Batal", -"Error" => "Ralat", "Share" => "Kongsi", +"Error" => "Ralat", "Password" => "Kata laluan", "Warning" => "Amaran", +"Delete" => "Padam", +"Add" => "Tambah", "Use the following link to reset your password: {link}" => "Guna pautan berikut untuk menetapkan semula kata laluan anda: {link}", "You will receive a link to reset your password via Email." => "Anda akan menerima pautan untuk menetapkan semula kata laluan anda melalui emel", "Username" => "Nama pengguna", @@ -50,8 +50,6 @@ $TRANSLATIONS = array( "Help" => "Bantuan", "Access forbidden" => "Larangan akses", "Cloud not found" => "Awan tidak dijumpai", -"Edit categories" => "Ubah kategori", -"Add" => "Tambah", "Security Warning" => "Amaran keselamatan", "Create an <strong>admin account</strong>" => "buat <strong>akaun admin</strong>", "Advanced" => "Maju", diff --git a/core/l10n/my_MM.php b/core/l10n/my_MM.php index 0a07d151185..464e52d6d15 100644 --- a/core/l10n/my_MM.php +++ b/core/l10n/my_MM.php @@ -1,7 +1,5 @@ <?php $TRANSLATIONS = array( -"No category to add?" => "ထည့်ရန်ခေါင်းစဉ်မရှိဘူးလား", -"No categories selected for deletion." => "ဖျက်ရန်အတွက်ခေါင်းစဉ်မရွေးထားပါ", "January" => "ဇန်နဝါရီ", "February" => "ဖေဖော်ဝါရီ", "March" => "မတ်", @@ -40,6 +38,7 @@ $TRANSLATIONS = array( "delete" => "ဖျက်မည်", "share" => "ဝေမျှမည်", "Password protected" => "စကားဝှက်ဖြင့်ကာကွယ်ထားသည်", +"Add" => "ပေါင်းထည့်", "You will receive a link to reset your password via Email." => "အီးမေးလ်မှတစ်ဆင့် သင်၏စကားဝှက်ကို ပြန်ဖော်ရန်အတွက် Link တစ်ခုလက်ခံရရှိပါလိမ့်မယ်။", "Username" => "သုံးစွဲသူအမည်", "Your password was reset" => "သင်၏စကားဝှက်ကိုပြန်ဖော်ပြီးပါပြီ။", @@ -50,7 +49,6 @@ $TRANSLATIONS = array( "Admin" => "အက်ဒမင်", "Help" => "အကူအညီ", "Cloud not found" => "မတွေ့ရှိမိပါ", -"Add" => "ပေါင်းထည့်", "Security Warning" => "လုံခြုံရေးသတိပေးချက်", "Create an <strong>admin account</strong>" => "<strong>အက်ဒမင်အကောင့်</strong>တစ်ခုဖန်တီးမည်", "Advanced" => "အဆင့်မြင့်", diff --git a/core/l10n/nb_NO.php b/core/l10n/nb_NO.php index a252642678a..7240b8f318a 100644 --- a/core/l10n/nb_NO.php +++ b/core/l10n/nb_NO.php @@ -2,9 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s delte »%s« med deg", "group" => "gruppe", -"No category to add?" => "Ingen kategorier å legge til?", -"This category already exists: %s" => "Denne kategorien finnes allerede: %s", -"No categories selected for deletion." => "Ingen kategorier merket for sletting.", "Sunday" => "Søndag", "Monday" => "Mandag", "Tuesday" => "Tirsdag", @@ -42,9 +39,9 @@ $TRANSLATIONS = array( "Ok" => "Ok", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Avbryt", -"Error" => "Feil", "Shared" => "Delt", "Share" => "Del", +"Error" => "Feil", "Error while sharing" => "Feil under deling", "Shared with you by {owner}" => "Delt med deg av {owner}", "Share with" => "Del med", @@ -68,6 +65,8 @@ $TRANSLATIONS = array( "Sending ..." => "Sender...", "Email sent" => "E-post sendt", "Warning" => "Advarsel", +"Delete" => "Slett", +"Add" => "Legg til", "Use the following link to reset your password: {link}" => "Bruk følgende lenke for å tilbakestille passordet ditt: {link}", "You will receive a link to reset your password via Email." => "Du burde motta detaljer om å tilbakestille passordet ditt via epost.", "Username" => "Brukernavn", @@ -83,8 +82,6 @@ $TRANSLATIONS = array( "Help" => "Hjelp", "Access forbidden" => "Tilgang nektet", "Cloud not found" => "Sky ikke funnet", -"Edit categories" => "Rediger kategorier", -"Add" => "Legg til", "Security Warning" => "Sikkerhetsadvarsel", "Create an <strong>admin account</strong>" => "opprett en <strong>administrator-konto</strong>", "Advanced" => "Avansert", diff --git a/core/l10n/nl.php b/core/l10n/nl.php index fe8ec482e3b..675471f88e0 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s deelde »%s« met jou", +"Couldn't send mail to following users: %s " => "Kon geen e-mail sturen aan de volgende gebruikers: %s", "group" => "groep", "Turned on maintenance mode" => "Onderhoudsmodus ingeschakeld", "Turned off maintenance mode" => "Onderhoudsmodus uitgeschakeld", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Bijwerken bestandscache. Dit kan even duren...", "Updated filecache" => "Bestandscache bijgewerkt", "... %d%% done ..." => "... %d%% gereed ...", -"Category type not provided." => "Categorie type niet opgegeven.", -"No category to add?" => "Geen categorie om toe te voegen?", -"This category already exists: %s" => "Deze categorie bestaat al: %s", -"Object type not provided." => "Object type niet opgegeven.", -"%s ID not provided." => "%s ID niet opgegeven.", -"Error adding %s to favorites." => "Toevoegen van %s aan favorieten is mislukt.", -"No categories selected for deletion." => "Geen categorie geselecteerd voor verwijdering.", -"Error removing %s from favorites." => "Verwijderen %s van favorieten is mislukt.", "No image or file provided" => "Geen afbeelding of bestand opgegeven", "Unknown filetype" => "Onbekend bestandsformaat", "Invalid image" => "Ongeldige afbeelding", @@ -58,14 +51,18 @@ $TRANSLATIONS = array( "No" => "Nee", "Ok" => "Ok", "Error loading message template: {error}" => "Fout bij laden berichtensjabloon: {error}", -"_{count} file conflict_::_{count} file conflicts_" => array("",""), +"_{count} file conflict_::_{count} file conflicts_" => array("{count} bestandsconflict","{count} bestandsconflicten"), +"One file conflict" => "Een bestandsconflict", +"Which files do you want to keep?" => "Welke bestanden wilt u bewaren?", +"If you select both versions, the copied file will have a number added to its name." => "Als u beide versies selecteerde, zal het gekopieerde bestand een nummer aan de naam toegevoegd krijgen.", "Cancel" => "Annuleer", -"The object type is not specified." => "Het object type is niet gespecificeerd.", -"Error" => "Fout", -"The app name is not specified." => "De app naam is niet gespecificeerd.", -"The required file {file} is not installed!" => "Het vereiste bestand {file} is niet geïnstalleerd!", +"Continue" => "Verder", +"(all selected)" => "(alles geselecteerd)", +"({count} selected)" => "({count} geselecteerd)", +"Error loading file exists template" => "Fout bij laden bestand bestaat al sjabloon", "Shared" => "Gedeeld", "Share" => "Delen", +"Error" => "Fout", "Error while sharing" => "Fout tijdens het delen", "Error while unsharing" => "Fout tijdens het stoppen met delen", "Error while changing permissions" => "Fout tijdens het veranderen van permissies", @@ -85,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Verder delen is niet toegestaan", "Shared in {item} with {user}" => "Gedeeld in {item} met {user}", "Unshare" => "Stop met delen", +"notify user by email" => "Gebruiker via e-mail notificeren", "can edit" => "kan wijzigen", "access control" => "toegangscontrole", "create" => "creëer", @@ -97,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "Versturen ...", "Email sent" => "E-mail verzonden", "Warning" => "Waarschuwing", +"The object type is not specified." => "Het object type is niet gespecificeerd.", +"Delete" => "Verwijder", +"Add" => "Toevoegen", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "De update is niet geslaagd. Meld dit probleem aan bij de <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud.", "%s password reset" => "%s wachtwoord reset", @@ -119,8 +120,9 @@ $TRANSLATIONS = array( "Help" => "Help", "Access forbidden" => "Toegang verboden", "Cloud not found" => "Cloud niet gevonden", -"Edit categories" => "Wijzig categorieën", -"Add" => "Toevoegen", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo daar,\n\neven een berichtje dat %s %s met u deelde.\nBekijk het: %s\n\n", +"The share will expire on %s.\n\n" => "De Share vervalt op %s.\n\n\n\n", +"Cheers!" => "Proficiat!", "Security Warning" => "Beveiligingswaarschuwing", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Je PHP-versie is kwetsbaar voor de NULL byte aanval (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Werk uw PHP installatie bij om %s veilig te kunnen gebruiken.", @@ -139,15 +141,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Database tablespace", "Database host" => "Databaseserver", "Finish setup" => "Installatie afronden", +"Finishing …" => "Afronden ...", "%s is available. Get more information on how to update." => "%s is beschikbaar. Verkrijg meer informatie over het bijwerken.", "Log out" => "Afmelden", "Automatic logon rejected!" => "Automatische aanmelding geweigerd!", "If you did not change your password recently, your account may be compromised!" => "Als je je wachtwoord niet onlangs heeft aangepast, kan je account overgenomen zijn!", "Please change your password to secure your account again." => "Wijzig je wachtwoord zodat je account weer beveiligd is.", +"Server side authentication failed!" => "Authenticatie bij de server mislukte!", +"Please contact your administrator." => "Neem contact op met uw systeembeheerder.", "Lost your password?" => "Wachtwoord vergeten?", "remember" => "onthoud gegevens", "Log in" => "Meld je aan", "Alternative Logins" => "Alternatieve inlogs", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo daar,<br><br>even een berichtje dat %s »%s« met u deelde.<br><a href=\"%s\">Bekijk hier!</a><br><br>", +"The share will expire on %s.<br><br>" => "Het delen stopt op %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Updaten ownCloud naar versie %s, dit kan even duren..." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/nn_NO.php b/core/l10n/nn_NO.php index 6dff2e63742..3ac3a6ea690 100644 --- a/core/l10n/nn_NO.php +++ b/core/l10n/nn_NO.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Oppdaterer mellomlager; dette kan ta ei god stund …", "Updated filecache" => "Mellomlager oppdatert", "... %d%% done ..." => "… %d %% ferdig …", -"Category type not provided." => "Ingen kategoritype.", -"No category to add?" => "Ingen kategori å leggja til?", -"This category already exists: %s" => "Denne kategorien finst alt: %s", -"Object type not provided." => "Ingen objekttype.", -"%s ID not provided." => "Ingen %s-ID.", -"Error adding %s to favorites." => "Klarte ikkje leggja til %s i favorittar.", -"No categories selected for deletion." => "Ingen kategoriar valt for sletting.", -"Error removing %s from favorites." => "Klarte ikkje fjerna %s frå favorittar.", "No image or file provided" => "Inga bilete eller fil gitt", "Unknown filetype" => "Ukjend filtype", "Invalid image" => "Ugyldig bilete", @@ -67,12 +59,9 @@ $TRANSLATIONS = array( "(all selected)" => "(alle valte)", "({count} selected)" => "({count} valte)", "Error loading file exists template" => "Klarte ikkje å lasta fil-finst-mal", -"The object type is not specified." => "Objekttypen er ikkje spesifisert.", -"Error" => "Feil", -"The app name is not specified." => "Programnamnet er ikkje spesifisert.", -"The required file {file} is not installed!" => "Den kravde fila {file} er ikkje installert!", "Shared" => "Delt", "Share" => "Del", +"Error" => "Feil", "Error while sharing" => "Feil ved deling", "Error while unsharing" => "Feil ved udeling", "Error while changing permissions" => "Feil ved endring av tillatingar", @@ -104,6 +93,9 @@ $TRANSLATIONS = array( "Sending ..." => "Sender …", "Email sent" => "E-post sendt", "Warning" => "Åtvaring", +"The object type is not specified." => "Objekttypen er ikkje spesifisert.", +"Delete" => "Slett", +"Add" => "Legg til", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Oppdateringa feila. Ver venleg og rapporter feilen til <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud-fellesskapet</a>.", "The update was successful. Redirecting you to ownCloud now." => "Oppdateringa er fullført. Sender deg vidare til ownCloud no.", "%s password reset" => "%s passordnullstilling", @@ -126,8 +118,6 @@ $TRANSLATIONS = array( "Help" => "Hjelp", "Access forbidden" => "Tilgang forbudt", "Cloud not found" => "Fann ikkje skyen", -"Edit categories" => "Endra kategoriar", -"Add" => "Legg til", "Security Warning" => "Tryggleiksåtvaring", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP-utgåva di er sårbar for NULL-byteåtaket (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Ver venleg og oppdater PHP-installasjonen din til å brukar %s trygt.", diff --git a/core/l10n/oc.php b/core/l10n/oc.php index fd84d0b2e30..c6472b1c17d 100644 --- a/core/l10n/oc.php +++ b/core/l10n/oc.php @@ -1,8 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "grop", -"No category to add?" => "Pas de categoria d'ajustar ?", -"No categories selected for deletion." => "Pas de categorias seleccionadas per escafar.", "Sunday" => "Dimenge", "Monday" => "Diluns", "Tuesday" => "Dimarç", @@ -40,8 +38,8 @@ $TRANSLATIONS = array( "Ok" => "D'accòrdi", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Annula", -"Error" => "Error", "Share" => "Parteja", +"Error" => "Error", "Error while sharing" => "Error al partejar", "Error while unsharing" => "Error al non partejar", "Error while changing permissions" => "Error al cambiar permissions", @@ -64,6 +62,8 @@ $TRANSLATIONS = array( "Password protected" => "Parat per senhal", "Error unsetting expiration date" => "Error al metre de la data d'expiracion", "Error setting expiration date" => "Error setting expiration date", +"Delete" => "Escafa", +"Add" => "Ajusta", "Use the following link to reset your password: {link}" => "Utiliza lo ligam seguent per tornar botar lo senhal : {link}", "You will receive a link to reset your password via Email." => "Reçaupràs un ligam per tornar botar ton senhal via corrièl.", "Username" => "Non d'usancièr", @@ -79,8 +79,6 @@ $TRANSLATIONS = array( "Help" => "Ajuda", "Access forbidden" => "Acces enebit", "Cloud not found" => "Nívol pas trobada", -"Edit categories" => "Edita categorias", -"Add" => "Ajusta", "Security Warning" => "Avertiment de securitat", "Create an <strong>admin account</strong>" => "Crea un <strong>compte admin</strong>", "Advanced" => "Avançat", diff --git a/core/l10n/pa.php b/core/l10n/pa.php index 156c6dbac14..b637c429a6e 100644 --- a/core/l10n/pa.php +++ b/core/l10n/pa.php @@ -37,11 +37,12 @@ $TRANSLATIONS = array( "Ok" => "ਠੀਕ ਹੈ", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "ਰੱਦ ਕਰੋ", -"Error" => "ਗਲ", "Share" => "ਸਾਂਝਾ ਕਰੋ", +"Error" => "ਗਲ", "Password" => "ਪਾਸਵਰ", "Send" => "ਭੇਜੋ", "Warning" => "ਚੇਤਾਵਨੀ", +"Delete" => "ਹਟਾਓ", "Username" => "ਯੂਜ਼ਰ-ਨਾਂ", "Security Warning" => "ਸੁਰੱਖਿਆ ਚੇਤਾਵਨੀ" ); diff --git a/core/l10n/pl.php b/core/l10n/pl.php index 5d60f5d3aa7..60476b5aad6 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -8,14 +8,7 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aktualizowanie filecache, to może potrwać bardzo długo...", "Updated filecache" => "Zaktualizuj filecache", "... %d%% done ..." => "... %d%% udane ...", -"Category type not provided." => "Nie podano typu kategorii.", -"No category to add?" => "Brak kategorii do dodania?", -"This category already exists: %s" => "Ta kategoria już istnieje: %s", -"Object type not provided." => "Nie podano typu obiektu.", -"%s ID not provided." => "Nie podano ID %s.", -"Error adding %s to favorites." => "Błąd podczas dodawania %s do ulubionych.", -"No categories selected for deletion." => "Nie zaznaczono kategorii do usunięcia.", -"Error removing %s from favorites." => "Błąd podczas usuwania %s z ulubionych.", +"No image or file provided" => "Brak obrazu lub pliku dostarczonego", "Unknown filetype" => "Nieznany typ pliku", "Invalid image" => "Nieprawidłowe zdjęcie", "Sunday" => "Niedziela", @@ -59,12 +52,9 @@ $TRANSLATIONS = array( "Continue" => "Kontynuuj ", "(all selected)" => "(wszystkie zaznaczone)", "({count} selected)" => "({count} zaznaczonych)", -"The object type is not specified." => "Nie określono typu obiektu.", -"Error" => "Błąd", -"The app name is not specified." => "Nie określono nazwy aplikacji.", -"The required file {file} is not installed!" => "Wymagany plik {file} nie jest zainstalowany!", "Shared" => "Udostępniono", "Share" => "Udostępnij", +"Error" => "Błąd", "Error while sharing" => "Błąd podczas współdzielenia", "Error while unsharing" => "Błąd podczas zatrzymywania współdzielenia", "Error while changing permissions" => "Błąd przy zmianie uprawnień", @@ -84,6 +74,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Współdzielenie nie jest możliwe", "Shared in {item} with {user}" => "Współdzielone w {item} z {user}", "Unshare" => "Zatrzymaj współdzielenie", +"notify user by email" => "powiadom użytkownika przez email", "can edit" => "może edytować", "access control" => "kontrola dostępu", "create" => "utwórz", @@ -96,6 +87,9 @@ $TRANSLATIONS = array( "Sending ..." => "Wysyłanie...", "Email sent" => "E-mail wysłany", "Warning" => "Ostrzeżenie", +"The object type is not specified." => "Nie określono typu obiektu.", +"Delete" => "Usuń", +"Add" => "Dodaj", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizacja zakończyła się niepowodzeniem. Zgłoś ten problem <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">spoleczności ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizacji zakończyła się powodzeniem. Przekierowuję do ownCloud.", "%s password reset" => "%s reset hasła", @@ -118,8 +112,8 @@ $TRANSLATIONS = array( "Help" => "Pomoc", "Access forbidden" => "Dostęp zabroniony", "Cloud not found" => "Nie odnaleziono chmury", -"Edit categories" => "Edytuj kategorie", -"Add" => "Dodaj", +"The share will expire on %s.\n\n" => "Udostępnienie wygaśnie w dniu %s.\n\n", +"Cheers!" => "Pozdrawiam!", "Security Warning" => "Ostrzeżenie o zabezpieczeniach", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Twója wersja PHP jest narażona na NULL Byte attack (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Proszę uaktualnij swoją instalacje PHP aby używać %s bezpiecznie.", @@ -138,15 +132,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Obszar tabel bazy danych", "Database host" => "Komputer bazy danych", "Finish setup" => "Zakończ konfigurowanie", +"Finishing …" => "Kończę ...", "%s is available. Get more information on how to update." => "%s jest dostępna. Dowiedz się więcej na temat aktualizacji.", "Log out" => "Wyloguj", "Automatic logon rejected!" => "Automatyczne logowanie odrzucone!", "If you did not change your password recently, your account may be compromised!" => "Jeśli hasło było dawno niezmieniane, twoje konto może być zagrożone!", "Please change your password to secure your account again." => "Zmień swoje hasło, aby ponownie zabezpieczyć swoje konto.", +"Server side authentication failed!" => "Uwierzytelnianie po stronie serwera nie powiodło się!", +"Please contact your administrator." => "Skontaktuj się z administratorem", "Lost your password?" => "Nie pamiętasz hasła?", "remember" => "pamiętaj", "Log in" => "Zaloguj", "Alternative Logins" => "Alternatywne loginy", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Cześć,<br><br>Informuję cię że %s udostępnia ci »%s«.\n<br><a href=\"%s\">Zobacz!</a><br><br>", +"The share will expire on %s.<br><br>" => "Udostępnienie wygaśnie w dniu %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Aktualizowanie ownCloud do wersji %s. Może to trochę potrwać." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index 14e92921f4e..8c000d523d9 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Atualizar cahe de arquivos, isto pode levar algum tempo...", "Updated filecache" => "Atualizar cache de arquivo", "... %d%% done ..." => "... %d%% concluído ...", -"Category type not provided." => "Tipo de categoria não fornecido.", -"No category to add?" => "Nenhuma categoria a adicionar?", -"This category already exists: %s" => "Esta categoria já existe: %s", -"Object type not provided." => "tipo de objeto não fornecido.", -"%s ID not provided." => "%s ID não fornecido(s).", -"Error adding %s to favorites." => "Erro ao adicionar %s aos favoritos.", -"No categories selected for deletion." => "Nenhuma categoria selecionada para remoção.", -"Error removing %s from favorites." => "Erro ao remover %s dos favoritos.", "No image or file provided" => "Nenhuma imagem ou arquivo fornecido", "Unknown filetype" => "Tipo de arquivo desconhecido", "Invalid image" => "Imagem inválida", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(todos os selecionados)", "({count} selected)" => "({count} selecionados)", "Error loading file exists template" => "Erro ao carregar arquivo existe modelo", -"The object type is not specified." => "O tipo de objeto não foi especificado.", -"Error" => "Erro", -"The app name is not specified." => "O nome do app não foi especificado.", -"The required file {file} is not installed!" => "O arquivo {file} necessário não está instalado!", "Shared" => "Compartilhados", "Share" => "Compartilhar", +"Error" => "Erro", "Error while sharing" => "Erro ao compartilhar", "Error while unsharing" => "Erro ao descompartilhar", "Error while changing permissions" => "Erro ao mudar permissões", @@ -106,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Enviando ...", "Email sent" => "E-mail enviado", "Warning" => "Aviso", +"The object type is not specified." => "O tipo de objeto não foi especificado.", +"Enter new" => "Entrar uma nova", +"Delete" => "Eliminar", +"Add" => "Adicionar", +"Edit tags" => "Editar etiqueta", +"Error loading dialog template: {error}" => "Erro carregando diálogo de formatação:{error}", +"No tags selected for deletion." => "Nenhuma etiqueta selecionada para deleção.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A atualização falhou. Por favor, relate este problema para a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunidade ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "A atualização teve êxito. Você será redirecionado ao ownCloud agora.", "%s password reset" => "%s redefinir senha", @@ -126,13 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Aplicações", "Admin" => "Admin", "Help" => "Ajuda", +"Error loading tags" => " Erro carregando etiqueta", +"Tag already exists" => "tiqueta já existe", +"Error deleting tag(s)" => "Erro deletando etiqueta(s)", +"Error tagging" => "Erro etiquetando", +"Error untagging" => "Erro retirando etiquetando", +"Error favoriting" => "Erro colocando no favoritos", +"Error unfavoriting" => "Erro retirando do favoritos", "Access forbidden" => "Acesso proibido", "Cloud not found" => "Cloud não encontrado", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Olá,\n\ngostaria que você soubesse que %s compartilhou %s com vecê.\nVeja isto: %s\n\n", "The share will expire on %s.\n\n" => "O compartilhamento irá expirer em %s.\n\n", "Cheers!" => "Saúde!", -"Edit categories" => "Editar categorias", -"Add" => "Adicionar", "Security Warning" => "Aviso de Segurança", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Sua versão do PHP está vulnerável ao ataque NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Por favor, atualize sua instalação PHP para usar %s segurança.", diff --git a/core/l10n/pt_PT.php b/core/l10n/pt_PT.php index fd504421199..c14cb718749 100644 --- a/core/l10n/pt_PT.php +++ b/core/l10n/pt_PT.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "A actualizar o cache dos ficheiros, poderá demorar algum tempo...", "Updated filecache" => "Actualizado o cache dos ficheiros", "... %d%% done ..." => "... %d%% feito ...", -"Category type not provided." => "Tipo de categoria não fornecido", -"No category to add?" => "Nenhuma categoria para adicionar?", -"This category already exists: %s" => "A categoria já existe: %s", -"Object type not provided." => "Tipo de objecto não fornecido", -"%s ID not provided." => "ID %s não fornecido", -"Error adding %s to favorites." => "Erro a adicionar %s aos favoritos", -"No categories selected for deletion." => "Nenhuma categoria seleccionada para eliminar.", -"Error removing %s from favorites." => "Erro a remover %s dos favoritos.", "No image or file provided" => "Não foi selecionado nenhum ficheiro para importar", "Unknown filetype" => "Ficheiro desconhecido", "Invalid image" => "Imagem inválida", @@ -58,12 +50,9 @@ $TRANSLATIONS = array( "Error loading message template: {error}" => "Erro ao carregar o template: {error}", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Cancelar", -"The object type is not specified." => "O tipo de objecto não foi especificado", -"Error" => "Erro", -"The app name is not specified." => "O nome da aplicação não foi especificado", -"The required file {file} is not installed!" => "O ficheiro necessário {file} não está instalado!", "Shared" => "Partilhado", "Share" => "Partilhar", +"Error" => "Erro", "Error while sharing" => "Erro ao partilhar", "Error while unsharing" => "Erro ao deixar de partilhar", "Error while changing permissions" => "Erro ao mudar permissões", @@ -95,6 +84,9 @@ $TRANSLATIONS = array( "Sending ..." => "A Enviar...", "Email sent" => "E-mail enviado", "Warning" => "Aviso", +"The object type is not specified." => "O tipo de objecto não foi especificado", +"Delete" => "Eliminar", +"Add" => "Adicionar", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A actualização falhou. Por favor reporte este incidente seguindo este link <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "A actualização foi concluída com sucesso. Vai ser redireccionado para o ownCloud agora.", "%s password reset" => "%s reposição da password", @@ -117,8 +109,6 @@ $TRANSLATIONS = array( "Help" => "Ajuda", "Access forbidden" => "Acesso interdito", "Cloud not found" => "Cloud nao encontrada", -"Edit categories" => "Editar categorias", -"Add" => "Adicionar", "Security Warning" => "Aviso de Segurança", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "A sua versão do PHP é vulnerável ao ataque Byte Null (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Por favor atualize a sua versão PHP instalada para usar o %s com segurança.", diff --git a/core/l10n/ro.php b/core/l10n/ro.php index 73350011f1e..1224dcfd332 100644 --- a/core/l10n/ro.php +++ b/core/l10n/ro.php @@ -3,14 +3,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s Partajat »%s« cu tine de", "group" => "grup", "Updated database" => "Bază de date actualizată", -"Category type not provided." => "Tipul de categorie nu a fost specificat.", -"No category to add?" => "Nici o categorie de adăugat?", -"This category already exists: %s" => "Această categorie deja există: %s", -"Object type not provided." => "Tipul obiectului nu este prevăzut", -"%s ID not provided." => "ID-ul %s nu a fost introdus", -"Error adding %s to favorites." => "Eroare la adăugarea %s la favorite.", -"No categories selected for deletion." => "Nicio categorie selectată pentru ștergere.", -"Error removing %s from favorites." => "Eroare la ștergerea %s din favorite.", "Unknown filetype" => "Tip fișier necunoscut", "Invalid image" => "Imagine invalidă", "Sunday" => "Duminică", @@ -54,12 +46,9 @@ $TRANSLATIONS = array( "If you select both versions, the copied file will have a number added to its name." => "Dacă alegi ambele versiuni, fișierul copiat va avea un număr atașat la denumirea sa.", "Cancel" => "Anulare", "Continue" => "Continuă", -"The object type is not specified." => "Tipul obiectului nu este specificat.", -"Error" => "Eroare", -"The app name is not specified." => "Numele aplicației nu este specificat.", -"The required file {file} is not installed!" => "Fișierul obligatoriu {file} nu este instalat!", "Shared" => "Partajat", "Share" => "Partajează", +"Error" => "Eroare", "Error while sharing" => "Eroare la partajare", "Error while unsharing" => "Eroare la anularea partajării", "Error while changing permissions" => "Eroare la modificarea permisiunilor", @@ -91,6 +80,9 @@ $TRANSLATIONS = array( "Sending ..." => "Se expediază...", "Email sent" => "Mesajul a fost expediat", "Warning" => "Atenție", +"The object type is not specified." => "Tipul obiectului nu este specificat.", +"Delete" => "Șterge", +"Add" => "Adaugă", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Actualizarea a eșuat! Raportați problema către <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunitatea ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Actualizare reușită. Ești redirecționat către ownCloud.", "Use the following link to reset your password: {link}" => "Folosește următorul link pentru a reseta parola: {link}", @@ -112,8 +104,6 @@ $TRANSLATIONS = array( "Help" => "Ajutor", "Access forbidden" => "Acces restricționat", "Cloud not found" => "Nu s-a găsit", -"Edit categories" => "Editează categorii", -"Add" => "Adaugă", "Security Warning" => "Avertisment de securitate", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Versiunea dvs. PHP este vulnerabilă la un atac cu un octet NULL (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Te rog actualizează versiunea PHP pentru a utiliza %s în mod securizat.", diff --git a/core/l10n/ru.php b/core/l10n/ru.php index 5cfd013850e..25ba4f680bc 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Обновление файлового кэша, это может занять некоторое время...", "Updated filecache" => "Обновлен файловый кэш", "... %d%% done ..." => "... %d%% завершено ...", -"Category type not provided." => "Тип категории не предоставлен", -"No category to add?" => "Нет категорий для добавления?", -"This category already exists: %s" => "Эта категория уже существует: %s", -"Object type not provided." => "Тип объекта не предоставлен", -"%s ID not provided." => "ID %s не предоставлен", -"Error adding %s to favorites." => "Ошибка добавления %s в избранное", -"No categories selected for deletion." => "Нет категорий для удаления.", -"Error removing %s from favorites." => "Ошибка удаления %s из избранного", "No image or file provided" => "Не указано изображение или файл", "Unknown filetype" => "Неизвестный тип файла", "Invalid image" => "Изображение повреждено", @@ -67,12 +59,9 @@ $TRANSLATIONS = array( "(all selected)" => "(выбраны все)", "({count} selected)" => "({count} выбрано)", "Error loading file exists template" => "Ошибка при загрузке шаблона существующего файла", -"The object type is not specified." => "Тип объекта не указан", -"Error" => "Ошибка", -"The app name is not specified." => "Имя приложения не указано", -"The required file {file} is not installed!" => "Необходимый файл {file} не установлен!", "Shared" => "Общие", "Share" => "Открыть доступ", +"Error" => "Ошибка", "Error while sharing" => "Ошибка при открытии доступа", "Error while unsharing" => "Ошибка при закрытии доступа", "Error while changing permissions" => "Ошибка при смене разрешений", @@ -104,6 +93,9 @@ $TRANSLATIONS = array( "Sending ..." => "Отправляется ...", "Email sent" => "Письмо отправлено", "Warning" => "Предупреждение", +"The object type is not specified." => "Тип объекта не указан", +"Delete" => "Удалить", +"Add" => "Добавить", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "При обновлении произошла ошибка. Пожалуйста сообщите об этом в <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud сообщество</a>.", "The update was successful. Redirecting you to ownCloud now." => "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud...", "%s password reset" => "%s сброс пароля", @@ -126,8 +118,6 @@ $TRANSLATIONS = array( "Help" => "Помощь", "Access forbidden" => "Доступ запрещён", "Cloud not found" => "Облако не найдено", -"Edit categories" => "Редактировать категрии", -"Add" => "Добавить", "Security Warning" => "Предупреждение безопасности", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ваша версия PHP уязвима к атаке NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Пожалуйста обновите Вашу PHP конфигурацию для безопасного использования %s.", diff --git a/core/l10n/si_LK.php b/core/l10n/si_LK.php index 065604425bd..ecff3705287 100644 --- a/core/l10n/si_LK.php +++ b/core/l10n/si_LK.php @@ -1,7 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "කණ්ඩායම", -"No categories selected for deletion." => "මකා දැමීම සඳහා ප්රවර්ගයන් තෝරා නොමැත.", "Sunday" => "ඉරිදා", "Monday" => "සඳුදා", "Tuesday" => "අඟහරුවාදා", @@ -39,8 +38,8 @@ $TRANSLATIONS = array( "Ok" => "හරි", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "එපා", -"Error" => "දෝෂයක්", "Share" => "බෙදා හදා ගන්න", +"Error" => "දෝෂයක්", "Share with" => "බෙදාගන්න", "Share with link" => "යොමුවක් මඟින් බෙදාගන්න", "Password protect" => "මුර පදයකින් ආරක්ශාකරන්න", @@ -59,6 +58,8 @@ $TRANSLATIONS = array( "Error unsetting expiration date" => "කල් ඉකුත් දිනය ඉවත් කිරීමේ දෝෂයක්", "Error setting expiration date" => "කල් ඉකුත් දිනය ස්ථාපනය කිරීමේ දෝෂයක්", "Warning" => "අවවාදය", +"Delete" => "මකා දමන්න", +"Add" => "එකතු කරන්න", "You will receive a link to reset your password via Email." => "ඔබගේ මුරපදය ප්රත්යාරම්භ කිරීම සඳහා යොමුව විද්යුත් තැපෑලෙන් ලැබෙනු ඇත", "Username" => "පරිශීලක නම", "Your password was reset" => "ඔබේ මුරපදය ප්රත්යාරම්භ කරන ලදී", @@ -72,8 +73,6 @@ $TRANSLATIONS = array( "Help" => "උදව්", "Access forbidden" => "ඇතුල් වීම තහනම්", "Cloud not found" => "සොයා ගත නොහැක", -"Edit categories" => "ප්රභේදයන් සංස්කරණය", -"Add" => "එකතු කරන්න", "Security Warning" => "ආරක්ෂක නිවේදනයක්", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "ආරක්ෂිත අහඹු සංඛ්යා උත්පාදකයක් නොමැති නම් ඔබගේ ගිණුමට පහරදෙන අයකුට එහි මුරපද යළි පිහිටුවීමට අවශ්ය ටෝකන පහසුවෙන් සොයාගෙන ඔබගේ ගිණුම පැහැරගත හැක.", "Advanced" => "දියුණු/උසස්", diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index b4bcaac8ae0..db29395a7f6 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Aktualizácia \"filecache\", toto môže trvať dlhšie...", "Updated filecache" => "\"Filecache\" aktualizovaná", "... %d%% done ..." => "... %d%% dokončených ...", -"Category type not provided." => "Neposkytnutý typ kategórie.", -"No category to add?" => "Žiadna kategória pre pridanie?", -"This category already exists: %s" => "Kategória: %s už existuje.", -"Object type not provided." => "Neposkytnutý typ objektu.", -"%s ID not provided." => "%s ID neposkytnuté.", -"Error adding %s to favorites." => "Chyba pri pridávaní %s do obľúbených položiek.", -"No categories selected for deletion." => "Neboli vybrané žiadne kategórie pre odstránenie.", -"Error removing %s from favorites." => "Chyba pri odstraňovaní %s z obľúbených položiek.", "Sunday" => "Nedeľa", "Monday" => "Pondelok", "Tuesday" => "Utorok", @@ -53,12 +45,9 @@ $TRANSLATIONS = array( "Ok" => "Ok", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Zrušiť", -"The object type is not specified." => "Nešpecifikovaný typ objektu.", -"Error" => "Chyba", -"The app name is not specified." => "Nešpecifikované meno aplikácie.", -"The required file {file} is not installed!" => "Požadovaný súbor {file} nie je nainštalovaný!", "Shared" => "Zdieľané", "Share" => "Zdieľať", +"Error" => "Chyba", "Error while sharing" => "Chyba počas zdieľania", "Error while unsharing" => "Chyba počas ukončenia zdieľania", "Error while changing permissions" => "Chyba počas zmeny oprávnení", @@ -90,6 +79,9 @@ $TRANSLATIONS = array( "Sending ..." => "Odosielam ...", "Email sent" => "Email odoslaný", "Warning" => "Varovanie", +"The object type is not specified." => "Nešpecifikovaný typ objektu.", +"Delete" => "Zmazať", +"Add" => "Pridať", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizácia nebola úspešná. Problém nahláste na <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku.", "%s password reset" => "reset hesla %s", @@ -112,8 +104,6 @@ $TRANSLATIONS = array( "Help" => "Pomoc", "Access forbidden" => "Prístup odmietnutý", "Cloud not found" => "Nenájdené", -"Edit categories" => "Upraviť kategórie", -"Add" => "Pridať", "Security Warning" => "Bezpečnostné varovanie", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Verzia Vášho PHP je napadnuteľná pomocou techniky \"NULL Byte\" (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Aktualizujte prosím vašu inštanciu PHP pre bezpečné používanie %s.", diff --git a/core/l10n/sl.php b/core/l10n/sl.php index e858284de53..46c7b7b2452 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -2,14 +2,6 @@ $TRANSLATIONS = array( "%s shared »%s« with you" => "%s je delil »%s« z vami", "group" => "skupina", -"Category type not provided." => "Vrsta kategorije ni podana.", -"No category to add?" => "Ali ni kategorije za dodajanje?", -"This category already exists: %s" => "Kategorija že obstaja: %s", -"Object type not provided." => "Vrsta predmeta ni podana.", -"%s ID not provided." => "ID %s ni podan.", -"Error adding %s to favorites." => "Napaka dodajanja %s med priljubljene predmete.", -"No categories selected for deletion." => "Za izbris ni izbrana nobena kategorija.", -"Error removing %s from favorites." => "Napaka odstranjevanja %s iz priljubljenih predmetov.", "Sunday" => "nedelja", "Monday" => "ponedeljek", "Tuesday" => "torek", @@ -47,12 +39,9 @@ $TRANSLATIONS = array( "Ok" => "V redu", "_{count} file conflict_::_{count} file conflicts_" => array("","","",""), "Cancel" => "Prekliči", -"The object type is not specified." => "Vrsta predmeta ni podana.", -"Error" => "Napaka", -"The app name is not specified." => "Ime programa ni podano.", -"The required file {file} is not installed!" => "Zahtevana datoteka {file} ni nameščena!", "Shared" => "V souporabi", "Share" => "Souporaba", +"Error" => "Napaka", "Error while sharing" => "Napaka med souporabo", "Error while unsharing" => "Napaka med odstranjevanjem souporabe", "Error while changing permissions" => "Napaka med spreminjanjem dovoljenj", @@ -84,6 +73,9 @@ $TRANSLATIONS = array( "Sending ..." => "Pošiljanje ...", "Email sent" => "Elektronska pošta je poslana", "Warning" => "Opozorilo", +"The object type is not specified." => "Vrsta predmeta ni podana.", +"Delete" => "Izbriši", +"Add" => "Dodaj", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Posodobitev ni uspela. Pošljite poročilo o napaki na sistemu <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Posodobitev je uspešno končana. Stran bo preusmerjena na oblak ownCloud.", "Use the following link to reset your password: {link}" => "Za ponastavitev gesla uporabite povezavo: {link}", @@ -105,8 +97,6 @@ $TRANSLATIONS = array( "Help" => "Pomoč", "Access forbidden" => "Dostop je prepovedan", "Cloud not found" => "Oblaka ni mogoče najti", -"Edit categories" => "Uredi kategorije", -"Add" => "Dodaj", "Security Warning" => "Varnostno opozorilo", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Uporabljena različica PHP je ranljiva za napad NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Za varno uporabo storitve %s posodobite PHP", diff --git a/core/l10n/sq.php b/core/l10n/sq.php index 2d9649a6483..c0bfee52412 100644 --- a/core/l10n/sq.php +++ b/core/l10n/sq.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Po azhurnoj memorjen e skedarëve, mund të zgjasi pak...", "Updated filecache" => "Memorja e skedarëve u azhornua", "... %d%% done ..." => "... %d%% u krye ...", -"Category type not provided." => "Mungon tipi i kategorisë.", -"No category to add?" => "Asnjë kategori për të shtuar?", -"This category already exists: %s" => "Kjo kategori tashmë ekziston: %s", -"Object type not provided." => "Mungon tipi i objektit.", -"%s ID not provided." => "Mungon ID-ja e %s.", -"Error adding %s to favorites." => "Veprim i gabuar gjatë shtimit të %s tek të parapëlqyerat.", -"No categories selected for deletion." => "Nuk selektuar për tu eliminuar asnjë kategori.", -"Error removing %s from favorites." => "Veprim i gabuar gjatë heqjes së %s nga të parapëlqyerat.", "Sunday" => "E djelë", "Monday" => "E hënë", "Tuesday" => "E martë", @@ -53,12 +45,9 @@ $TRANSLATIONS = array( "Ok" => "Në rregull", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "Anulo", -"The object type is not specified." => "Nuk është specifikuar tipi i objektit.", -"Error" => "Veprim i gabuar", -"The app name is not specified." => "Nuk është specifikuar emri i app-it.", -"The required file {file} is not installed!" => "Skedari i nevojshëm {file} nuk është i instaluar!", "Shared" => "Ndarë", "Share" => "Nda", +"Error" => "Veprim i gabuar", "Error while sharing" => "Veprim i gabuar gjatë ndarjes", "Error while unsharing" => "Veprim i gabuar gjatë heqjes së ndarjes", "Error while changing permissions" => "Veprim i gabuar gjatë ndryshimit të lejeve", @@ -89,6 +78,9 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Veprim i gabuar gjatë caktimit të datës së përfundimit", "Sending ..." => "Duke dërguar...", "Email sent" => "Email-i u dërgua", +"The object type is not specified." => "Nuk është specifikuar tipi i objektit.", +"Delete" => "Elimino", +"Add" => "Shto", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Azhurnimi dështoi. Ju lutemi njoftoni për këtë problem <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">komunitetin ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Azhurnimi u krye. Tani do t'ju kaloj tek ownCloud-i.", "%s password reset" => "Kodi i %s -it u rivendos", @@ -111,8 +103,6 @@ $TRANSLATIONS = array( "Help" => "Ndihmë", "Access forbidden" => "Ndalohet hyrja", "Cloud not found" => "Cloud-i nuk u gjet", -"Edit categories" => "Ndrysho kategoritë", -"Add" => "Shto", "Security Warning" => "Paralajmërim sigurie", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Versioni juaj i PHP-së është i cënueshëm nga sulmi NULL Byte (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Ju lutem azhurnoni instalimin tuaj të PHP-së që të përdorni %s -in në mënyrë të sigurt.", diff --git a/core/l10n/sr.php b/core/l10n/sr.php index 666223c6cba..4b1d41f289a 100644 --- a/core/l10n/sr.php +++ b/core/l10n/sr.php @@ -1,13 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "група", -"Category type not provided." => "Врста категорије није унет.", -"No category to add?" => "Додати још неку категорију?", -"Object type not provided." => "Врста објекта није унета.", -"%s ID not provided." => "%s ИД нису унети.", -"Error adding %s to favorites." => "Грешка приликом додавања %s у омиљене.", -"No categories selected for deletion." => "Ни једна категорија није означена за брисање.", -"Error removing %s from favorites." => "Грешка приликом уклањања %s из омиљених", "Sunday" => "Недеља", "Monday" => "Понедељак", "Tuesday" => "Уторак", @@ -45,11 +38,8 @@ $TRANSLATIONS = array( "Ok" => "У реду", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Откажи", -"The object type is not specified." => "Врста објекта није подешена.", -"Error" => "Грешка", -"The app name is not specified." => "Име програма није унето.", -"The required file {file} is not installed!" => "Потребна датотека {file} није инсталирана.", "Share" => "Дели", +"Error" => "Грешка", "Error while sharing" => "Грешка у дељењу", "Error while unsharing" => "Грешка код искључења дељења", "Error while changing permissions" => "Грешка код промене дозвола", @@ -79,6 +69,9 @@ $TRANSLATIONS = array( "Sending ..." => "Шаљем...", "Email sent" => "Порука је послата", "Warning" => "Упозорење", +"The object type is not specified." => "Врста објекта није подешена.", +"Delete" => "Обриши", +"Add" => "Додај", "Use the following link to reset your password: {link}" => "Овом везом ресетујте своју лозинку: {link}", "You will receive a link to reset your password via Email." => "Добићете везу за ресетовање лозинке путем е-поште.", "Username" => "Корисничко име", @@ -94,8 +87,6 @@ $TRANSLATIONS = array( "Help" => "Помоћ", "Access forbidden" => "Забрањен приступ", "Cloud not found" => "Облак није нађен", -"Edit categories" => "Измени категорије", -"Add" => "Додај", "Security Warning" => "Сигурносно упозорење", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Поуздан генератор случајних бројева није доступан, предлажемо да укључите PHP проширење OpenSSL.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Без поузданог генератора случајнох бројева нападач лако може предвидети лозинку за поништавање кључа шифровања и отети вам налог.", diff --git a/core/l10n/sr@latin.php b/core/l10n/sr@latin.php index 8c0d28ef1c0..04a4b758bb1 100644 --- a/core/l10n/sr@latin.php +++ b/core/l10n/sr@latin.php @@ -1,13 +1,5 @@ <?php $TRANSLATIONS = array( -"Category type not provided." => "Tip kategorije nije zadan.", -"No category to add?" => "Bez dodavanja kategorije?", -"This category already exists: %s" => "Kategorija već postoji: %s", -"Object type not provided." => "Tip objekta nije zadan.", -"%s ID not provided." => "%s ID nije zadan.", -"Error adding %s to favorites." => "Greška u dodavanju %s u omiljeno.", -"No categories selected for deletion." => "Kategorije za brisanje nisu izabrane.", -"Error removing %s from favorites." => "Greška u uklanjanju %s iz omiljeno.", "Sunday" => "Nedelja", "Monday" => "Ponedeljak", "Tuesday" => "Utorak", @@ -45,12 +37,9 @@ $TRANSLATIONS = array( "Ok" => "Ok", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Otkaži", -"The object type is not specified." => "Tip objekta nije zadan.", -"Error" => "Greška", -"The app name is not specified." => "Ime aplikacije nije precizirano.", -"The required file {file} is not installed!" => "Potreban fajl {file} nije instaliran!", "Shared" => "Deljeno", "Share" => "Podeli", +"Error" => "Greška", "Error while sharing" => "Greška pri deljenju", "Error while unsharing" => "Greška u uklanjanju deljenja", "Error while changing permissions" => "Greška u promeni dozvola", @@ -80,6 +69,9 @@ $TRANSLATIONS = array( "Error setting expiration date" => "Greška u postavljanju datuma isteka", "Sending ..." => "Slanje...", "Email sent" => "Email poslat", +"The object type is not specified." => "Tip objekta nije zadan.", +"Delete" => "Obriši", +"Add" => "Dodaj", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Ažuriranje nije uspelo. Molimo obavestite <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud zajednicu</a>.", "The update was successful. Redirecting you to ownCloud now." => "Ažuriranje je uspelo. Prosleđivanje na ownCloud.", "Use the following link to reset your password: {link}" => "Koristite sledeći link za reset lozinke: {link}", @@ -97,8 +89,6 @@ $TRANSLATIONS = array( "Help" => "Pomoć", "Access forbidden" => "Pristup zabranjen", "Cloud not found" => "Oblak nije nađen", -"Edit categories" => "Izmena kategorija", -"Add" => "Dodaj", "Security Warning" => "Bezbednosno upozorenje", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Vaša PHP verzija je ranjiva na ", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Nije dostupan generator slučajnog broja, molimo omogućite PHP OpenSSL ekstenziju.", diff --git a/core/l10n/sv.php b/core/l10n/sv.php index 29936537418..239b9495ef3 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s delade »%s« med dig", +"Couldn't send mail to following users: %s " => "Gick inte att skicka e-post till följande användare: %s", "group" => "Grupp", "Turned on maintenance mode" => "Aktiverade underhållsläge", "Turned off maintenance mode" => "Deaktiverade underhållsläge", @@ -8,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Uppdaterar filcache, det kan ta lång tid...", "Updated filecache" => "Uppdaterade filcache", "... %d%% done ..." => "... %d%% klart ...", -"Category type not provided." => "Kategorityp inte angiven.", -"No category to add?" => "Ingen kategori att lägga till?", -"This category already exists: %s" => "Denna kategori finns redan: %s", -"Object type not provided." => "Objekttyp inte angiven.", -"%s ID not provided." => "%s ID inte angiven.", -"Error adding %s to favorites." => "Fel vid tillägg av %s till favoriter.", -"No categories selected for deletion." => "Inga kategorier valda för radering.", -"Error removing %s from favorites." => "Fel vid borttagning av %s från favoriter.", "No image or file provided" => "Ingen bild eller fil har tillhandahållits", "Unknown filetype" => "Okänd filtyp", "Invalid image" => "Ogiltig bild", @@ -67,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(Alla valda)", "({count} selected)" => "({count} valda)", "Error loading file exists template" => "Fel uppstod filmall existerar", -"The object type is not specified." => "Objekttypen är inte specificerad.", -"Error" => "Fel", -"The app name is not specified." => " Namnet på appen är inte specificerad.", -"The required file {file} is not installed!" => "Den nödvändiga filen {file} är inte installerad!", "Shared" => "Delad", "Share" => "Dela", +"Error" => "Fel", "Error while sharing" => "Fel vid delning", "Error while unsharing" => "Fel när delning skulle avslutas", "Error while changing permissions" => "Fel vid ändring av rättigheter", @@ -92,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Dela vidare är inte tillåtet", "Shared in {item} with {user}" => "Delad i {item} med {user}", "Unshare" => "Sluta dela", +"notify user by email" => "notifiera användare via e-post", "can edit" => "kan redigera", "access control" => "åtkomstkontroll", "create" => "skapa", @@ -104,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "Skickar ...", "Email sent" => "E-post skickat", "Warning" => "Varning", +"The object type is not specified." => "Objekttypen är inte specificerad.", +"Delete" => "Radera", +"Add" => "Lägg till", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Uppdateringen misslyckades. Rapportera detta problem till <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Uppdateringen lyckades. Du omdirigeras nu till OwnCloud.", "%s password reset" => "%s återställ lösenord", @@ -126,8 +120,9 @@ $TRANSLATIONS = array( "Help" => "Hjälp", "Access forbidden" => "Åtkomst förbjuden", "Cloud not found" => "Hittade inget moln", -"Edit categories" => "Editera kategorier", -"Add" => "Lägg till", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hej där,⏎\n⏎\nville bara meddela dig att %s delade %s med dig.⏎\nTitta på den: %s⏎\n⏎\n", +"The share will expire on %s.\n\n" => "Utdelningen kommer att upphöra %s.⏎\n⏎\n", +"Cheers!" => "Vi höres!", "Security Warning" => "Säkerhetsvarning", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Din version av PHP är sårbar för NULL byte attack (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Var god uppdatera din PHP-installation för att använda %s säkert.", @@ -146,15 +141,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Databas tabellutrymme", "Database host" => "Databasserver", "Finish setup" => "Avsluta installation", +"Finishing …" => "Avslutar ...", "%s is available. Get more information on how to update." => "%s är tillgänglig. Få mer information om hur du går tillväga för att uppdatera.", "Log out" => "Logga ut", "Automatic logon rejected!" => "Automatisk inloggning inte tillåten!", "If you did not change your password recently, your account may be compromised!" => "Om du inte har ändrat ditt lösenord nyligen så kan ditt konto vara manipulerat!", "Please change your password to secure your account again." => "Ändra genast lösenord för att säkra ditt konto.", +"Server side authentication failed!" => "Servern misslyckades med autentisering!", +"Please contact your administrator." => "Kontakta din administratör.", "Lost your password?" => "Glömt ditt lösenord?", "remember" => "kom ihåg", "Log in" => "Logga in", "Alternative Logins" => "Alternativa inloggningar", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hej där,<br><br>ville bara informera dig om att %s delade »%s« med dig.<br><a href=\"%s\">Titta på den!</a><br><br>", +"The share will expire on %s.<br><br>" => "Utdelningen kommer att upphöra %s.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Uppdaterar ownCloud till version %s, detta kan ta en stund." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ta_LK.php b/core/l10n/ta_LK.php index 1756d22c788..7dba820066d 100644 --- a/core/l10n/ta_LK.php +++ b/core/l10n/ta_LK.php @@ -1,13 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "குழு", -"Category type not provided." => "பிரிவு வகைகள் வழங்கப்படவில்லை", -"No category to add?" => "சேர்ப்பதற்கான வகைகள் இல்லையா?", -"Object type not provided." => "பொருள் வகை வழங்கப்படவில்லை", -"%s ID not provided." => "%s ID வழங்கப்படவில்லை", -"Error adding %s to favorites." => "விருப்பங்களுக்கு %s ஐ சேர்ப்பதில் வழு", -"No categories selected for deletion." => "நீக்குவதற்கு எந்தப் பிரிவும் தெரிவுசெய்யப்படவில்லை.", -"Error removing %s from favorites." => "விருப்பத்திலிருந்து %s ஐ அகற்றுவதில் வழு.உஇஇ", "Sunday" => "ஞாயிற்றுக்கிழமை", "Monday" => "திங்கட்கிழமை", "Tuesday" => "செவ்வாய்க்கிழமை", @@ -45,11 +38,8 @@ $TRANSLATIONS = array( "Ok" => "சரி", "_{count} file conflict_::_{count} file conflicts_" => array("",""), "Cancel" => "இரத்து செய்க", -"The object type is not specified." => "பொருள் வகை குறிப்பிடப்படவில்லை.", -"Error" => "வழு", -"The app name is not specified." => "செயலி பெயர் குறிப்பிடப்படவில்லை.", -"The required file {file} is not installed!" => "தேவைப்பட்ட கோப்பு {கோப்பு} நிறுவப்படவில்லை!", "Share" => "பகிர்வு", +"Error" => "வழு", "Error while sharing" => "பகிரும் போதான வழு", "Error while unsharing" => "பகிராமல் உள்ளப்போதான வழு", "Error while changing permissions" => "அனுமதிகள் மாறும்போதான வழு", @@ -76,6 +66,9 @@ $TRANSLATIONS = array( "Error unsetting expiration date" => "காலாவதியாகும் திகதியை குறிப்பிடாமைக்கான வழு", "Error setting expiration date" => "காலாவதியாகும் திகதியை குறிப்பிடுவதில் வழு", "Warning" => "எச்சரிக்கை", +"The object type is not specified." => "பொருள் வகை குறிப்பிடப்படவில்லை.", +"Delete" => "நீக்குக", +"Add" => "சேர்க்க", "Use the following link to reset your password: {link}" => "உங்கள் கடவுச்சொல்லை மீளமைக்க பின்வரும் இணைப்பை பயன்படுத்தவும் : {இணைப்பு}", "You will receive a link to reset your password via Email." => "நீங்கள் மின்னஞ்சல் மூலம் உங்களுடைய கடவுச்சொல்லை மீளமைப்பதற்கான இணைப்பை பெறுவீர்கள். ", "Username" => "பயனாளர் பெயர்", @@ -91,8 +84,6 @@ $TRANSLATIONS = array( "Help" => "உதவி", "Access forbidden" => "அணுக தடை", "Cloud not found" => "Cloud காணப்படவில்லை", -"Edit categories" => "வகைகளை தொகுக்க", -"Add" => "சேர்க்க", "Security Warning" => "பாதுகாப்பு எச்சரிக்கை", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "குறிப்பிட்ட எண்ணிக்கை பாதுகாப்பான புறப்பாக்கி / உண்டாக்கிகள் இல்லை, தயவுசெய்து PHP OpenSSL நீட்சியை இயலுமைப்படுத்துக. ", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "பாதுகாப்பான சீரற்ற எண்ணிக்கையான புறப்பாக்கி இல்லையெனின், தாக்குனரால் கடவுச்சொல் மீளமைப்பு அடையாளவில்லைகள் முன்மொழியப்பட்டு உங்களுடைய கணக்கை கைப்பற்றலாம்.", diff --git a/core/l10n/te.php b/core/l10n/te.php index d54eeabb692..0754429351c 100644 --- a/core/l10n/te.php +++ b/core/l10n/te.php @@ -1,6 +1,5 @@ <?php $TRANSLATIONS = array( -"This category already exists: %s" => "ఈ వర్గం ఇప్పటికే ఉంది: %s", "Sunday" => "ఆదివారం", "Monday" => "సోమవారం", "Tuesday" => "మంగళవారం", @@ -42,11 +41,12 @@ $TRANSLATIONS = array( "Send" => "పంపించు", "Expiration date" => "కాలం చెల్లు తేదీ", "delete" => "తొలగించు", +"Delete" => "తొలగించు", +"Add" => "చేర్చు", "Username" => "వాడుకరి పేరు", "New password" => "కొత్త సంకేతపదం", "Users" => "వాడుకరులు", "Help" => "సహాయం", -"Add" => "చేర్చు", "Log out" => "నిష్క్రమించు", "Lost your password?" => "మీ సంకేతపదం పోయిందా?" ); diff --git a/core/l10n/th_TH.php b/core/l10n/th_TH.php index c6c0e94a32e..8deb3ef20df 100644 --- a/core/l10n/th_TH.php +++ b/core/l10n/th_TH.php @@ -1,13 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "กลุ่มผู้ใช้งาน", -"Category type not provided." => "ยังไม่ได้ระบุชนิดของหมวดหมู่", -"No category to add?" => "ไม่มีหมวดหมู่ที่ต้องการเพิ่ม?", -"Object type not provided." => "ชนิดของวัตถุยังไม่ได้ถูกระบุ", -"%s ID not provided." => "ยังไม่ได้ระบุรหัส %s", -"Error adding %s to favorites." => "เกิดข้อผิดพลาดในการเพิ่ม %s เข้าไปยังรายการโปรด", -"No categories selected for deletion." => "ยังไม่ได้เลือกหมวดหมู่ที่ต้องการลบ", -"Error removing %s from favorites." => "เกิดข้อผิดพลาดในการลบ %s ออกจากรายการโปรด", "Sunday" => "วันอาทิตย์", "Monday" => "วันจันทร์", "Tuesday" => "วันอังคาร", @@ -45,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "ตกลง", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "ยกเลิก", -"The object type is not specified." => "ชนิดของวัตถุยังไม่ได้รับการระบุ", -"Error" => "ข้อผิดพลาด", -"The app name is not specified." => "ชื่อของแอปยังไม่ได้รับการระบุชื่อ", -"The required file {file} is not installed!" => "ไฟล์ {file} ซึ่งเป็นไฟล์ที่จำเป็นต้องได้รับการติดตั้งไว้ก่อน ยังไม่ได้ถูกติดตั้ง", "Shared" => "แชร์แล้ว", "Share" => "แชร์", +"Error" => "ข้อผิดพลาด", "Error while sharing" => "เกิดข้อผิดพลาดในระหว่างการแชร์ข้อมูล", "Error while unsharing" => "เกิดข้อผิดพลาดในการยกเลิกการแชร์ข้อมูล", "Error while changing permissions" => "เกิดข้อผิดพลาดในการเปลี่ยนสิทธิ์การเข้าใช้งาน", @@ -81,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "กำลังส่ง...", "Email sent" => "ส่งอีเมล์แล้ว", "Warning" => "คำเตือน", +"The object type is not specified." => "ชนิดของวัตถุยังไม่ได้รับการระบุ", +"Delete" => "ลบ", +"Add" => "เพิ่ม", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "การอัพเดทไม่เป็นผลสำเร็จ กรุณาแจ้งปัญหาที่เกิดขึ้นไปยัง <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">คอมมูนิตี้ผู้ใช้งาน ownCloud</a>", "The update was successful. Redirecting you to ownCloud now." => "การอัพเดทเสร็จเรียบร้อยแล้ว กำลังเปลี่ยนเส้นทางไปที่ ownCloud อยู่ในขณะนี้", "Use the following link to reset your password: {link}" => "ใช้ลิงค์ต่อไปนี้เพื่อเปลี่ยนรหัสผ่านของคุณใหม่: {link}", @@ -98,8 +91,6 @@ $TRANSLATIONS = array( "Help" => "ช่วยเหลือ", "Access forbidden" => "การเข้าถึงถูกหวงห้าม", "Cloud not found" => "ไม่พบ Cloud", -"Edit categories" => "แก้ไขหมวดหมู่", -"Add" => "เพิ่ม", "Security Warning" => "คำเตือนเกี่ยวกับความปลอดภัย", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "ยังไม่มีตัวสร้างหมายเลขแบบสุ่มให้ใช้งาน, กรุณาเปิดใช้งานส่วนเสริม PHP OpenSSL", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "หากปราศจากตัวสร้างหมายเลขแบบสุ่มที่ช่วยป้องกันความปลอดภัย ผู้บุกรุกอาจสามารถที่จะคาดคะเนรหัสยืนยันการเข้าถึงเพื่อรีเซ็ตรหัสผ่าน และเอาบัญชีของคุณไปเป็นของตนเองได้", diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 57603895c94..f10f3cf25b5 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -1,6 +1,7 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s sizinle »%s« paylaşımında bulundu", +"Couldn't send mail to following users: %s " => "Şu kullanıcılara posta gönderilemedi: %s", "group" => "grup", "Turned on maintenance mode" => "Bakım kipi etkinleştirildi", "Turned off maintenance mode" => "Bakım kipi kapatıldı", @@ -8,14 +9,11 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "Dosya önbelleği güncelleniyor. Bu, gerçekten uzun sürebilir.", "Updated filecache" => "Dosya önbelleği güncellendi", "... %d%% done ..." => "%%%d tamamlandı ...", -"Category type not provided." => "Kategori türü girilmedi.", -"No category to add?" => "Eklenecek kategori yok?", -"This category already exists: %s" => "Bu kategori zaten mevcut: %s", -"Object type not provided." => "Nesne türü desteklenmemektedir.", -"%s ID not provided." => "%s ID belirtilmedi.", -"Error adding %s to favorites." => "%s favorilere eklenirken hata oluştu", -"No categories selected for deletion." => "Silmek için bir kategori seçilmedi", -"Error removing %s from favorites." => "%s favorilere çıkarılırken hata oluştu", +"No image or file provided" => "Resim veya dosya belirtilmedi", +"Unknown filetype" => "Bilinmeyen dosya türü", +"Invalid image" => "Geçersiz resim", +"No temporary profile picture available, try again" => "Kullanılabilir geçici profil resmi yok, tekrar deneyin", +"No crop data provided" => "Kesme verisi sağlanmamış", "Sunday" => "Pazar", "Monday" => "Pazartesi", "Tuesday" => "Salı", @@ -48,17 +46,23 @@ $TRANSLATIONS = array( "last year" => "geçen yıl", "years ago" => "yıl önce", "Choose" => "seç", +"Error loading file picker template: {error}" => "Dosya seçici şablonu yüklenirken hata: {error}", "Yes" => "Evet", "No" => "Hayır", "Ok" => "Tamam", -"_{count} file conflict_::_{count} file conflicts_" => array("",""), +"Error loading message template: {error}" => "İleti şablonu yüklenirken hata: {error}", +"_{count} file conflict_::_{count} file conflicts_" => array("{count} dosya çakışması","{count} dosya çakışması"), +"One file conflict" => "Bir dosya çakışması", +"Which files do you want to keep?" => "Hangi dosyaları saklamak istiyorsunuz?", +"If you select both versions, the copied file will have a number added to its name." => "Eğer iki sürümü de seçerseniz, kopyalanan dosya ismine eklenmiş bir sayı içerecektir.", "Cancel" => "İptal", -"The object type is not specified." => "Nesne türü belirtilmemiş.", -"Error" => "Hata", -"The app name is not specified." => "uygulama adı belirtilmedi.", -"The required file {file} is not installed!" => "İhtiyaç duyulan {file} dosyası kurulu değil.", +"Continue" => "Devam et", +"(all selected)" => "(tümü seçildi)", +"({count} selected)" => "({count} seçildi)", +"Error loading file exists template" => "Dosya mevcut şablonu yüklenirken hata", "Shared" => "Paylaşılan", "Share" => "Paylaş", +"Error" => "Hata", "Error while sharing" => "Paylaşım sırasında hata ", "Error while unsharing" => "Paylaşım iptal ediliyorken hata", "Error while changing permissions" => "İzinleri değiştirirken hata oluştu", @@ -78,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Tekrar paylaşmaya izin verilmiyor", "Shared in {item} with {user}" => " {item} içinde {user} ile paylaşılanlarlar", "Unshare" => "Paylaşılmayan", +"notify user by email" => "kullanıcıyı e-posta ile bildir", "can edit" => "düzenleyebilir", "access control" => "erişim kontrolü", "create" => "oluştur", @@ -90,6 +95,13 @@ $TRANSLATIONS = array( "Sending ..." => "Gönderiliyor...", "Email sent" => "Eposta gönderildi", "Warning" => "Uyarı", +"The object type is not specified." => "Nesne türü belirtilmemiş.", +"Enter new" => "Yeni girin", +"Delete" => "Sil", +"Add" => "Ekle", +"Edit tags" => "Etiketleri düzenle", +"Error loading dialog template: {error}" => "İletişim şablonu yüklenirken hata: {error}", +"No tags selected for deletion." => "Silmek için bir etiket seçilmedi.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Güncelleme başarılı. ownCloud'a yönlendiriliyor.", "%s password reset" => "%s parola sıfırlama", @@ -110,10 +122,18 @@ $TRANSLATIONS = array( "Apps" => "Uygulamalar", "Admin" => "Yönetici", "Help" => "Yardım", +"Error loading tags" => "Etiketler yüklenirken hata", +"Tag already exists" => "Etiket zaten mevcut", +"Error deleting tag(s)" => "Etiket(ler) silinirken hata", +"Error tagging" => "Etiketleme hatası", +"Error untagging" => "Etiket kaldırılırken hata", +"Error favoriting" => "Beğenilirken hata", +"Error unfavoriting" => "Beğeniden kaldırılırken hata", "Access forbidden" => "Erişim yasaklı", "Cloud not found" => "Bulut bulunamadı", -"Edit categories" => "Kategorileri düzenle", -"Add" => "Ekle", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Merhaba,\n\nSadece %s sizinle %s paylaşımını yaptığını bildiriyoruz.\nBuradan bakabilirsiniz: %s\n\n", +"The share will expire on %s.\n\n" => "Paylaşım %s tarihinde bitecektir.\n\n", +"Cheers!" => "Şerefe!", "Security Warning" => "Güvenlik Uyarisi", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP sürümünüz NULL Byte saldırısına açık (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "%s güvenli olarak kullanmak için, lütfen PHP kurulumunuzu güncelleyin.", @@ -132,15 +152,20 @@ $TRANSLATIONS = array( "Database tablespace" => "Veritabanı tablo alanı", "Database host" => "Veritabanı sunucusu", "Finish setup" => "Kurulumu tamamla", +"Finishing …" => "Tamamlanıyor ..", "%s is available. Get more information on how to update." => "%s mevcuttur. Güncelleştirme hakkında daha fazla bilgi alın.", "Log out" => "Çıkış yap", "Automatic logon rejected!" => "Otomatik oturum açma reddedildi!", "If you did not change your password recently, your account may be compromised!" => "Yakın zamanda parolanızı değiştirmedi iseniz hesabınız riske girebilir.", "Please change your password to secure your account again." => "Hesabınızı korumak için lütfen parolanızı değiştirin.", +"Server side authentication failed!" => "Sunucu taraflı yetkilendirme başarısız!", +"Please contact your administrator." => "Lütfen sistem yöneticisi ile iletişime geçin.", "Lost your password?" => "Parolanızı mı unuttunuz?", "remember" => "hatırla", "Log in" => "Giriş yap", "Alternative Logins" => "Alternatif Girişler", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Merhaba, <br><br> %s sizinle »%s« paylaşımında bulundu.<br><a href=\"%s\">Paylaşımı gör!</a><br><br>İyi günler!", +"The share will expire on %s.<br><br>" => "Bu paylaşım %s tarihinde dolacaktır.<br><br>", "Updating ownCloud to version %s, this may take a while." => "Owncloud %s versiyonuna güncelleniyor. Biraz zaman alabilir." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/ug.php b/core/l10n/ug.php index 621c45d4d0a..3d9d39c854f 100644 --- a/core/l10n/ug.php +++ b/core/l10n/ug.php @@ -32,8 +32,8 @@ $TRANSLATIONS = array( "Ok" => "جەزملە", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "ۋاز كەچ", -"Error" => "خاتالىق", "Share" => "ھەمبەھىر", +"Error" => "خاتالىق", "Share with" => "ھەمبەھىر", "Password" => "ئىم", "Send" => "يوللا", @@ -41,14 +41,14 @@ $TRANSLATIONS = array( "delete" => "ئۆچۈر", "share" => "ھەمبەھىر", "Warning" => "ئاگاھلاندۇرۇش", +"Delete" => "ئۆچۈر", +"Add" => "قوش", "Username" => "ئىشلەتكۈچى ئاتى", "New password" => "يېڭى ئىم", "Personal" => "شەخسىي", "Users" => "ئىشلەتكۈچىلەر", "Apps" => "ئەپلەر", "Help" => "ياردەم", -"Edit categories" => "تۈر تەھرىر", -"Add" => "قوش", "Security Warning" => "بىخەتەرلىك ئاگاھلاندۇرۇش", "Advanced" => "ئالىي", "Finish setup" => "تەڭشەك تامام", diff --git a/core/l10n/uk.php b/core/l10n/uk.php index 6bd6901815d..64e79abcdd0 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "група", -"Category type not provided." => "Не вказано тип категорії.", -"No category to add?" => "Відсутні категорії для додавання?", -"This category already exists: %s" => "Ця категорія вже існує: %s", -"Object type not provided." => "Не вказано тип об'єкту.", -"%s ID not provided." => "%s ID не вказано.", -"Error adding %s to favorites." => "Помилка при додаванні %s до обраного.", -"No categories selected for deletion." => "Жодної категорії не обрано для видалення.", -"Error removing %s from favorites." => "Помилка при видалені %s із обраного.", "Sunday" => "Неділя", "Monday" => "Понеділок", "Tuesday" => "Вівторок", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "Ok", "_{count} file conflict_::_{count} file conflicts_" => array("","",""), "Cancel" => "Відмінити", -"The object type is not specified." => "Не визначено тип об'єкту.", -"Error" => "Помилка", -"The app name is not specified." => "Не визначено ім'я програми.", -"The required file {file} is not installed!" => "Необхідний файл {file} не встановлено!", "Shared" => "Опубліковано", "Share" => "Поділитися", +"Error" => "Помилка", "Error while sharing" => "Помилка під час публікації", "Error while unsharing" => "Помилка під час відміни публікації", "Error while changing permissions" => "Помилка при зміні повноважень", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "Надсилання...", "Email sent" => "Ел. пошта надіслана", "Warning" => "Попередження", +"The object type is not specified." => "Не визначено тип об'єкту.", +"Delete" => "Видалити", +"Add" => "Додати", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Оновлення виконалось неуспішно. Будь ласка, повідомте про цю проблему в <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">спільноті ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Оновлення виконалось успішно. Перенаправляємо вас на ownCloud.", "Use the following link to reset your password: {link}" => "Використовуйте наступне посилання для скидання пароля: {link}", @@ -99,8 +91,6 @@ $TRANSLATIONS = array( "Help" => "Допомога", "Access forbidden" => "Доступ заборонено", "Cloud not found" => "Cloud не знайдено", -"Edit categories" => "Редагувати категорії", -"Add" => "Додати", "Security Warning" => "Попередження про небезпеку", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ваша версія PHP вразлива для атак NULL Byte (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Не доступний безпечний генератор випадкових чисел, будь ласка, активуйте PHP OpenSSL додаток.", diff --git a/core/l10n/ur_PK.php b/core/l10n/ur_PK.php index fc736779122..9d40392c085 100644 --- a/core/l10n/ur_PK.php +++ b/core/l10n/ur_PK.php @@ -1,7 +1,5 @@ <?php $TRANSLATIONS = array( -"No category to add?" => "شامل کرنے کے لیے کوئی زمرہ نہیں؟", -"No categories selected for deletion." => "ختم کرنے کے لیے کسی زمرہ جات کا انتخاب نہیں کیا گیا۔", "January" => "جنوری", "February" => "فرورئ", "March" => "مارچ", @@ -45,6 +43,7 @@ $TRANSLATIONS = array( "delete" => "ختم کریں", "share" => "شئیر کریں", "Password protected" => "پاسورڈ سے محفوظ کیا گیا ہے", +"Add" => "شامل کریں", "Use the following link to reset your password: {link}" => "اپنا پاسورڈ ری سیٹ کرنے کے لیے اس لنک پر کلک کریں۔ {link}", "You will receive a link to reset your password via Email." => "آپ ای میل کے ذریعے اپنے پاسورڈ ری سیٹ کا لنک موصول کریں گے", "Username" => "یوزر نیم", @@ -60,8 +59,6 @@ $TRANSLATIONS = array( "Help" => "مدد", "Access forbidden" => "پہنچ کی اجازت نہیں", "Cloud not found" => "نہیں مل سکا", -"Edit categories" => "زمرہ جات کی تدوین کریں", -"Add" => "شامل کریں", "Create an <strong>admin account</strong>" => "ایک<strong> ایڈمن اکاؤنٹ</strong> بنائیں", "Advanced" => "ایڈوانسڈ", "Data folder" => "ڈیٹا فولڈر", diff --git a/core/l10n/vi.php b/core/l10n/vi.php index 2e3d9569357..9d335e4427a 100644 --- a/core/l10n/vi.php +++ b/core/l10n/vi.php @@ -1,14 +1,6 @@ <?php $TRANSLATIONS = array( "group" => "nhóm", -"Category type not provided." => "Kiểu hạng mục không được cung cấp.", -"No category to add?" => "Không có danh mục được thêm?", -"This category already exists: %s" => "Danh mục này đã tồn tại: %s", -"Object type not provided." => "Loại đối tượng không được cung cấp.", -"%s ID not provided." => "%s ID không được cung cấp.", -"Error adding %s to favorites." => "Lỗi thêm %s vào mục yêu thích.", -"No categories selected for deletion." => "Bạn chưa chọn mục để xóa", -"Error removing %s from favorites." => "Lỗi xóa %s từ mục yêu thích.", "Sunday" => "Chủ nhật", "Monday" => "Thứ 2", "Tuesday" => "Thứ 3", @@ -46,12 +38,9 @@ $TRANSLATIONS = array( "Ok" => "Đồng ý", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "Hủy", -"The object type is not specified." => "Loại đối tượng không được chỉ định.", -"Error" => "Lỗi", -"The app name is not specified." => "Tên ứng dụng không được chỉ định.", -"The required file {file} is not installed!" => "Tập tin cần thiết {file} không được cài đặt!", "Shared" => "Được chia sẻ", "Share" => "Chia sẻ", +"Error" => "Lỗi", "Error while sharing" => "Lỗi trong quá trình chia sẻ", "Error while unsharing" => "Lỗi trong quá trình gỡ chia sẻ", "Error while changing permissions" => "Lỗi trong quá trình phân quyền", @@ -82,6 +71,9 @@ $TRANSLATIONS = array( "Sending ..." => "Đang gởi ...", "Email sent" => "Email đã được gửi", "Warning" => "Cảnh báo", +"The object type is not specified." => "Loại đối tượng không được chỉ định.", +"Delete" => "Xóa", +"Add" => "Thêm", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Cập nhật không thành công . Vui lòng thông báo đến <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\"> Cộng đồng ownCloud </a>.", "The update was successful. Redirecting you to ownCloud now." => "Cập nhật thành công .Hệ thống sẽ đưa bạn tới ownCloud.", "Use the following link to reset your password: {link}" => "Dùng đường dẫn sau để khôi phục lại mật khẩu : {link}", @@ -101,8 +93,6 @@ $TRANSLATIONS = array( "Help" => "Giúp đỡ", "Access forbidden" => "Truy cập bị cấm", "Cloud not found" => "Không tìm thấy Clound", -"Edit categories" => "Sửa chuyên mục", -"Add" => "Thêm", "Security Warning" => "Cảnh bảo bảo mật", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Phiên bản PHP của bạn có lỗ hổng NULL Byte attack (CVE-2006-7243)", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Không an toàn ! chức năng random number generator đã có sẵn ,vui lòng bật PHP OpenSSL extension.", diff --git a/core/l10n/zh_CN.php b/core/l10n/zh_CN.php index 6a5dcb50a95..727daccad05 100644 --- a/core/l10n/zh_CN.php +++ b/core/l10n/zh_CN.php @@ -8,14 +8,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "正在更新文件缓存,这可能需要较长时间...", "Updated filecache" => "文件缓存已更新", "... %d%% done ..." => "...已完成 %d%% ...", -"Category type not provided." => "未提供分类类型。", -"No category to add?" => "没有可添加分类?", -"This category already exists: %s" => "此分类已存在:%s", -"Object type not provided." => "未提供对象类型。", -"%s ID not provided." => "%s ID未提供。", -"Error adding %s to favorites." => "向收藏夹中新增%s时出错。", -"No categories selected for deletion." => "没有选择要删除的类别", -"Error removing %s from favorites." => "从收藏夹中移除%s时出错。", "Sunday" => "星期日", "Monday" => "星期一", "Tuesday" => "星期二", @@ -53,12 +45,9 @@ $TRANSLATIONS = array( "Ok" => "好", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "取消", -"The object type is not specified." => "未指定对象类型。", -"Error" => "错误", -"The app name is not specified." => "未指定应用名称。", -"The required file {file} is not installed!" => "所需文件{file}未安装!", "Shared" => "已共享", "Share" => "分享", +"Error" => "错误", "Error while sharing" => "共享时出错", "Error while unsharing" => "取消共享时出错", "Error while changing permissions" => "修改权限时出错", @@ -90,6 +79,9 @@ $TRANSLATIONS = array( "Sending ..." => "正在发送...", "Email sent" => "邮件已发送", "Warning" => "警告", +"The object type is not specified." => "未指定对象类型。", +"Delete" => "删除", +"Add" => "增加", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "更新不成功。请汇报将此问题汇报给 <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud 社区</a>。", "The update was successful. Redirecting you to ownCloud now." => "更新成功。正在重定向至 ownCloud。", "%s password reset" => "重置 %s 的密码", @@ -112,8 +104,6 @@ $TRANSLATIONS = array( "Help" => "帮助", "Access forbidden" => "访问禁止", "Cloud not found" => "未找到云", -"Edit categories" => "编辑分类", -"Add" => "增加", "Security Warning" => "安全警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "你的PHP版本容易受到空字节攻击 (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "为保证安全使用 %s 请更新您的PHP。", diff --git a/core/l10n/zh_HK.php b/core/l10n/zh_HK.php index f6c4003af61..50caa86a2f2 100644 --- a/core/l10n/zh_HK.php +++ b/core/l10n/zh_HK.php @@ -33,9 +33,9 @@ $TRANSLATIONS = array( "Ok" => "OK", "_{count} file conflict_::_{count} file conflicts_" => array(""), "Cancel" => "取消", -"Error" => "錯誤", "Shared" => "已分享", "Share" => "分享", +"Error" => "錯誤", "Error while sharing" => "分享時發生錯誤", "Error while unsharing" => "取消分享時發生錯誤", "Error while changing permissions" => "更改權限時發生錯誤", @@ -58,6 +58,8 @@ $TRANSLATIONS = array( "Password protected" => "密碼保護", "Sending ..." => "傳送中", "Email sent" => "郵件已傳", +"Delete" => "刪除", +"Add" => "加入", "The update was successful. Redirecting you to ownCloud now." => "更新成功, 正", "Use the following link to reset your password: {link}" => "請用以下連結重設你的密碼: {link}", "You will receive a link to reset your password via Email." => "你將收到一封電郵", @@ -73,7 +75,6 @@ $TRANSLATIONS = array( "Admin" => "管理", "Help" => "幫助", "Cloud not found" => "未找到Cloud", -"Add" => "加入", "Create an <strong>admin account</strong>" => "建立管理員帳戶", "Advanced" => "進階", "Configure the database" => "設定資料庫", diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index 1483329bbfd..0cb4967b2b5 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -9,14 +9,6 @@ $TRANSLATIONS = array( "Updating filecache, this may take really long..." => "更新檔案快取,這可能要很久…", "Updated filecache" => "已更新檔案快取", "... %d%% done ..." => "已完成 %d%%", -"Category type not provided." => "未提供分類類型。", -"No category to add?" => "沒有可增加的分類?", -"This category already exists: %s" => "分類已經存在:%s", -"Object type not provided." => "未指定物件類型", -"%s ID not provided." => "未提供 %s ID 。", -"Error adding %s to favorites." => "加入 %s 到最愛時發生錯誤。", -"No categories selected for deletion." => "沒有選擇要刪除的分類。", -"Error removing %s from favorites." => "從最愛移除 %s 時發生錯誤。", "No image or file provided" => "未提供圖片或檔案", "Unknown filetype" => "未知的檔案類型", "Invalid image" => "無效的圖片", @@ -68,12 +60,9 @@ $TRANSLATIONS = array( "(all selected)" => "(已全選)", "({count} selected)" => "(已選 {count} 項)", "Error loading file exists template" => "載入檔案存在樣板出錯", -"The object type is not specified." => "未指定物件類型。", -"Error" => "錯誤", -"The app name is not specified." => "沒有指定 app 名稱。", -"The required file {file} is not installed!" => "沒有安裝所需的檔案 {file} !", "Shared" => "已分享", "Share" => "分享", +"Error" => "錯誤", "Error while sharing" => "分享時發生錯誤", "Error while unsharing" => "取消分享時發生錯誤", "Error while changing permissions" => "修改權限時發生錯誤", @@ -106,6 +95,9 @@ $TRANSLATIONS = array( "Sending ..." => "正在傳送…", "Email sent" => "Email 已寄出", "Warning" => "警告", +"The object type is not specified." => "未指定物件類型。", +"Delete" => "刪除", +"Add" => "增加", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "升級失敗,請將此問題回報 <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud 社群</a>。", "The update was successful. Redirecting you to ownCloud now." => "升級成功,正將您重新導向至 ownCloud 。", "%s password reset" => "%s 密碼重設", @@ -131,8 +123,6 @@ $TRANSLATIONS = array( "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "嗨,\n\n%s 和你分享了 %s ,到這裡看它:%s\n", "The share will expire on %s.\n\n" => "分享將於 %s 過期\n", "Cheers!" => "太棒了!", -"Edit categories" => "編輯分類", -"Add" => "增加", "Security Warning" => "安全性警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "您的 PHP 版本無法抵抗 NULL Byte 攻擊 (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "請更新 PHP 以安全地使用 %s。", diff --git a/core/routes.php b/core/routes.php index 57e25c0f1f7..5009243d59f 100644 --- a/core/routes.php +++ b/core/routes.php @@ -23,19 +23,43 @@ $this->create('core_ajax_share', '/core/ajax/share.php') // Translations $this->create('core_ajax_translations', '/core/ajax/translations.php') ->actionInclude('core/ajax/translations.php'); -// VCategories -$this->create('core_ajax_vcategories_add', '/core/ajax/vcategories/add.php') - ->actionInclude('core/ajax/vcategories/add.php'); -$this->create('core_ajax_vcategories_delete', '/core/ajax/vcategories/delete.php') - ->actionInclude('core/ajax/vcategories/delete.php'); -$this->create('core_ajax_vcategories_addtofavorites', '/core/ajax/vcategories/addToFavorites.php') - ->actionInclude('core/ajax/vcategories/addToFavorites.php'); -$this->create('core_ajax_vcategories_removefromfavorites', '/core/ajax/vcategories/removeFromFavorites.php') - ->actionInclude('core/ajax/vcategories/removeFromFavorites.php'); -$this->create('core_ajax_vcategories_favorites', '/core/ajax/vcategories/favorites.php') - ->actionInclude('core/ajax/vcategories/favorites.php'); -$this->create('core_ajax_vcategories_edit', '/core/ajax/vcategories/edit.php') - ->actionInclude('core/ajax/vcategories/edit.php'); +// Tags +$this->create('core_tags_tags', '/tags/{type}') + ->get() + ->action('OC\Core\Tags\Controller', 'getTags') + ->requirements(array('type')); +$this->create('core_tags_favorites', '/tags/{type}/favorites') + ->get() + ->action('OC\Core\Tags\Controller', 'getFavorites') + ->requirements(array('type')); +$this->create('core_tags_ids_for_tag', '/tags/{type}/ids') + ->get() + ->action('OC\Core\Tags\Controller', 'getIdsForTag') + ->requirements(array('type')); +$this->create('core_tags_favorite', '/tags/{type}/favorite/{id}/') + ->post() + ->action('OC\Core\Tags\Controller', 'favorite') + ->requirements(array('type', 'id')); +$this->create('core_tags_unfavorite', '/tags/{type}/unfavorite/{id}/') + ->post() + ->action('OC\Core\Tags\Controller', 'unFavorite') + ->requirements(array('type', 'id')); +$this->create('core_tags_tag', '/tags/{type}/tag/{id}/') + ->post() + ->action('OC\Core\Tags\Controller', 'tagAs') + ->requirements(array('type', 'id')); +$this->create('core_tags_untag', '/tags/{type}/untag/{id}/') + ->post() + ->action('OC\Core\Tags\Controller', 'unTag') + ->requirements(array('type', 'id')); +$this->create('core_tags_add', '/tags/{type}/add') + ->post() + ->action('OC\Core\Tags\Controller', 'addTag') + ->requirements(array('type')); +$this->create('core_tags_delete', '/tags/{type}/delete') + ->post() + ->action('OC\Core\Tags\Controller', 'deleteTags') + ->requirements(array('type')); // oC JS config $this->create('js_config', '/core/js/config.js') ->actionInclude('core/js/config.php'); diff --git a/core/tags/controller.php b/core/tags/controller.php new file mode 100644 index 00000000000..c790d43345d --- /dev/null +++ b/core/tags/controller.php @@ -0,0 +1,114 @@ +<?php +/** + * Copyright (c) 2013 Thomas Tanghus (thomas@tanghus.net) + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Tags; + +class Controller { + protected static function getTagger($type) { + \OC_JSON::checkLoggedIn(); + \OC_JSON::callCheck(); + + try { + $tagger = \OC::$server->getTagManager()->load($type); + return $tagger; + } catch(\Exception $e) { + \OCP\Util::writeLog('core', __METHOD__ . ' Exception: ' . $e->getMessage(), \OCP\Util::ERROR); + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error loading tags'))); + exit; + } + } + + public static function getTags($args) { + $tagger = self::getTagger($args['type']); + \OC_JSON::success(array('tags'=> $tagger->getTags())); + } + + public static function getFavorites($args) { + $tagger = self::getTagger($args['type']); + \OC_JSON::success(array('ids'=> $tagger->getFavorites())); + } + + public static function getIdsForTag($args) { + $tagger = self::getTagger($args['type']); + \OC_JSON::success(array('ids'=> $tagger->getIdsForTag($_GET['tag']))); + } + + public static function addTag($args) { + $tagger = self::getTagger($args['type']); + + $id = $tagger->add(strip_tags($_POST['tag'])); + if($id === false) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Tag already exists'))); + } else { + \OC_JSON::success(array('id'=> $id)); + } + } + + public static function deleteTags($args) { + $tags = $_POST['tags']; + if(!is_array($tags)) { + $tags = array($tags); + } + + $tagger = self::getTagger($args['type']); + + if(!$tagger->delete($tags)) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error deleting tag(s)'))); + } else { + \OC_JSON::success(); + } + } + + public static function tagAs($args) { + $tagger = self::getTagger($args['type']); + + if(!$tagger->tagAs($args['id'], $_POST['tag'])) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error tagging'))); + } else { + \OC_JSON::success(); + } + } + + public static function unTag($args) { + $tagger = self::getTagger($args['type']); + + if(!$tagger->unTag($args['id'], $_POST['tag'])) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error untagging'))); + } else { + \OC_JSON::success(); + } + } + + public static function favorite($args) { + $tagger = self::getTagger($args['type']); + + if(!$tagger->addToFavorites($args['id'])) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error favoriting'))); + } else { + \OC_JSON::success(); + } + } + + public static function unFavorite($args) { + $tagger = self::getTagger($args['type']); + + if(!$tagger->removeFromFavorites($args['id'])) { + $l = new \OC_L10n('core'); + \OC_JSON::error(array('message'=> $l->t('Error unfavoriting'))); + } else { + \OC_JSON::success(); + } + } + +} diff --git a/core/templates/edit_categories_dialog.php b/core/templates/edit_categories_dialog.php deleted file mode 100644 index ea155bdf0ba..00000000000 --- a/core/templates/edit_categories_dialog.php +++ /dev/null @@ -1,19 +0,0 @@ -<?php -$categories = isset($_['categories'])?$_['categories']:array(); -?> -<div id="edit_categories_dialog" title="<?php p($l->t('Edit categories')); ?>"> -<!-- ?php print_r($types); ? --> - <form method="post" id="categoryform"> - <div class="scrollarea"> - <ul id="categorylist"> - <?php foreach($categories as $category): ?> - <li><input type="checkbox" name="categories[]" value="<?php p($category); ?>" /><?php p($category); ?></li> - <?php endforeach; ?> - </ul> - </div> - <div class="bottombuttons"> - <input type="text" id="category_addinput" name="category" /> - <button id="category_addbutton" disabled="disabled"><?php p($l->t('Add')); ?></button> - </div> - </form> -</div> diff --git a/core/templates/installation.php b/core/templates/installation.php index 5a103762269..a6f55cb0e28 100644 --- a/core/templates/installation.php +++ b/core/templates/installation.php @@ -61,13 +61,13 @@ </p> </fieldset> - <?php if(!$_['directoryIsSet'] OR !$_['dbIsSet']): ?> + <?php if(!$_['directoryIsSet'] OR !$_['dbIsSet'] OR count($_['errors']) > 0): ?> <fieldset id="advancedHeader"> <legend><a id="showAdvanced"><?php p($l->t( 'Advanced' )); ?> <img class="svg" src="<?php print_unescaped(image_path('', 'actions/caret.svg')); ?>" /></a></legend> </fieldset> <?php endif; ?> - <?php if(!$_['directoryIsSet']): ?> + <?php if(!$_['directoryIsSet'] OR count($_['errors']) > 0): ?> <fieldset id="datadirField"> <div id="datadirContent"> <label for="directory"><?php p($l->t( 'Data folder' )); ?></label> @@ -78,7 +78,7 @@ </fieldset> <?php endif; ?> - <?php if(!$_['dbIsSet']): ?> + <?php if(!$_['dbIsSet'] OR count($_['errors']) > 0): ?> <fieldset id='databaseField'> <?php if($_['hasMySQL'] or $_['hasPostgreSQL'] or $_['hasOracle'] or $_['hasMSSQL']) $hasOtherDB = true; else $hasOtherDB =false; //other than SQLite ?> diff --git a/core/templates/layout.base.php b/core/templates/layout.base.php index 8caa9a0bbea..8cd237deea1 100644 --- a/core/templates/layout.base.php +++ b/core/templates/layout.base.php @@ -11,7 +11,7 @@ <?php p($theme->getTitle()); ?> </title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> - <meta name="viewport" content="width=device-width; initial-scale=1.0;"> + <meta name="viewport" content="width=device-width, initial-scale=1.0"> <link rel="shortcut icon" href="<?php print_unescaped(image_path('', 'favicon.png')); ?>" /> <link rel="apple-touch-icon-precomposed" href="<?php print_unescaped(image_path('', 'favicon-touch.png')); ?>" /> <?php foreach ($_['cssfiles'] as $cssfile): ?> diff --git a/core/templates/layout.guest.php b/core/templates/layout.guest.php index cecd97ace27..47ca5903dab 100644 --- a/core/templates/layout.guest.php +++ b/core/templates/layout.guest.php @@ -11,7 +11,7 @@ <?php p($theme->getTitle()); ?> </title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> - <meta name="viewport" content="width=device-width; initial-scale=1.0;"> + <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta name="apple-itunes-app" content="app-id=543672169"> <link rel="shortcut icon" href="<?php print_unescaped(image_path('', 'favicon.png')); ?>" /> <link rel="apple-touch-icon-precomposed" href="<?php print_unescaped(image_path('', 'favicon-touch.png')); ?>" /> diff --git a/core/templates/layout.user.php b/core/templates/layout.user.php index 39cc43fc465..d30313a67cc 100644 --- a/core/templates/layout.user.php +++ b/core/templates/layout.user.php @@ -14,7 +14,7 @@ </title> <meta charset="utf-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1"> - <meta name="viewport" content="width=device-width; initial-scale=1.0;"> + <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta name="apple-itunes-app" content="app-id=543672169"> <link rel="shortcut icon" href="<?php print_unescaped(image_path('', 'favicon.png')); ?>" /> <link rel="apple-touch-icon-precomposed" href="<?php print_unescaped(image_path('', 'favicon-touch.png')); ?>" /> diff --git a/core/templates/tags.html b/core/templates/tags.html new file mode 100644 index 00000000000..ae3d072b381 --- /dev/null +++ b/core/templates/tags.html @@ -0,0 +1,14 @@ +<div id="tagsdialog"> + <div class="content"> + <div class="scrollarea"> + <ul class="taglist"> + <li><input type="checkbox" name="ids[]" id="tag_{id}" value="{name}" /> + <label for="tag_{id}">{name}</label> + </li> + </ul> + </div> + <div class="bottombuttons"> + <input type="text" class="addinput" name="tag" placeholder="{addText}" /> + </div> + </div> +</div> |