diff options
419 files changed, 1484 insertions, 395 deletions
diff --git a/apps/files/ajax/delete.php b/apps/files/ajax/delete.php index 4d4232e872e..61caa7618da 100644 --- a/apps/files/ajax/delete.php +++ b/apps/files/ajax/delete.php @@ -6,7 +6,7 @@ OCP\JSON::callCheck(); // Get data -$dir = stripslashes($_POST["dir"]); +$dir = isset($_POST['dir']) ? $_POST['dir'] : ''; $allFiles = isset($_POST["allfiles"]) ? $_POST["allfiles"] : false; // delete all files in dir ? diff --git a/apps/files/ajax/move.php b/apps/files/ajax/move.php index 12760d4415f..a9e0d09f176 100644 --- a/apps/files/ajax/move.php +++ b/apps/files/ajax/move.php @@ -5,9 +5,9 @@ OCP\JSON::callCheck(); \OC::$server->getSession()->close(); // Get data -$dir = stripslashes($_POST["dir"]); -$file = stripslashes($_POST["file"]); -$target = stripslashes(rawurldecode($_POST["target"])); +$dir = isset($_POST['dir']) ? $_POST['dir'] : ''; +$file = isset($_POST['file']) ? $_POST['file'] : ''; +$target = isset($_POST['target']) ? rawurldecode($_POST['target']) : ''; $l = \OC::$server->getL10N('files'); diff --git a/apps/files/ajax/newfile.php b/apps/files/ajax/newfile.php index c162237fe92..0eb144aca56 100644 --- a/apps/files/ajax/newfile.php +++ b/apps/files/ajax/newfile.php @@ -81,7 +81,6 @@ if (!\OC\Files\Filesystem::file_exists($dir . '/')) { exit(); } -//TODO why is stripslashes used on foldername in newfolder.php but not here? $target = $dir.'/'.$filename; if (\OC\Files\Filesystem::file_exists($target)) { diff --git a/apps/files/ajax/newfolder.php b/apps/files/ajax/newfolder.php index ea7a10c2ab9..3ad64021cfe 100644 --- a/apps/files/ajax/newfolder.php +++ b/apps/files/ajax/newfolder.php @@ -8,8 +8,8 @@ OCP\JSON::callCheck(); \OC::$server->getSession()->close(); // Get the params -$dir = isset( $_POST['dir'] ) ? stripslashes($_POST['dir']) : ''; -$foldername = isset( $_POST['foldername'] ) ? stripslashes($_POST['foldername']) : ''; +$dir = isset($_POST['dir']) ? $_POST['dir'] : ''; +$foldername = isset($_POST['foldername']) ? $_POST['foldername'] : ''; $l10n = \OC::$server->getL10N('files'); diff --git a/apps/files/ajax/rename.php b/apps/files/ajax/rename.php index 00c8a1e44db..6ea53468861 100644 --- a/apps/files/ajax/rename.php +++ b/apps/files/ajax/rename.php @@ -30,13 +30,13 @@ $files = new \OCA\Files\App( \OC::$server->getL10N('files') ); $result = $files->rename( - $_GET["dir"], - $_GET["file"], - $_GET["newname"] + isset($_GET['dir']) ? $_GET['dir'] : '', + isset($_GET['file']) ? $_GET['file'] : '', + isset($_GET['newname']) ? $_GET['newname'] : '' ); if($result['success'] === true){ - OCP\JSON::success(array('data' => $result['data'])); + OCP\JSON::success(['data' => $result['data']]); } else { - OCP\JSON::error(array('data' => $result['data'])); + OCP\JSON::error(['data' => $result['data']]); } diff --git a/apps/files/ajax/upload.php b/apps/files/ajax/upload.php index fcee0166da6..88375f82acb 100644 --- a/apps/files/ajax/upload.php +++ b/apps/files/ajax/upload.php @@ -132,9 +132,9 @@ if (strpos($dir, '..') === false) { // $path needs to be normalized - this failed within drag'n'drop upload to a sub-folder if ($resolution === 'autorename') { // append a number in brackets like 'filename (2).ext' - $target = OCP\Files::buildNotExistingFileName(stripslashes($dir . $relativePath), $files['name'][$i]); + $target = OCP\Files::buildNotExistingFileName($dir . $relativePath, $files['name'][$i]); } else { - $target = \OC\Files\Filesystem::normalizePath(stripslashes($dir . $relativePath).'/'.$files['name'][$i]); + $target = \OC\Files\Filesystem::normalizePath($dir . $relativePath.'/'.$files['name'][$i]); } // relative dir to return to the client @@ -168,7 +168,7 @@ if (strpos($dir, '..') === false) { } else { $data = \OCA\Files\Helper::formatFileInfo($meta); $data['status'] = 'success'; - $data['originalname'] = $files['tmp_name'][$i]; + $data['originalname'] = $files['name'][$i]; $data['uploadMaxFilesize'] = $maxUploadFileSize; $data['maxHumanFilesize'] = $maxHumanFileSize; $data['permissions'] = $meta['permissions'] & $allowedPermissions; @@ -195,7 +195,7 @@ if (strpos($dir, '..') === false) { } else { $data['status'] = 'readonly'; } - $data['originalname'] = $files['tmp_name'][$i]; + $data['originalname'] = $files['name'][$i]; $data['uploadMaxFilesize'] = $maxUploadFileSize; $data['maxHumanFilesize'] = $maxHumanFileSize; $data['permissions'] = $meta['permissions'] & $allowedPermissions; diff --git a/apps/files/js/file-upload.js b/apps/files/js/file-upload.js index 8b0753fc647..7374a4c90f3 100644 --- a/apps/files/js/file-upload.js +++ b/apps/files/js/file-upload.js @@ -587,7 +587,7 @@ OC.Upload = { // add input field var form = $('<form></form>'); - var input = $('<input type="text">'); + var input = $('<input type="text" placeholder="https://…">'); var newName = $(this).attr('data-newname') || ''; var fileType = 'input-' + $(this).attr('data-type'); if (newName) { diff --git a/apps/files/js/filelist.js b/apps/files/js/filelist.js index 2027f62aa02..1d7252220bf 100644 --- a/apps/files/js/filelist.js +++ b/apps/files/js/filelist.js @@ -1674,7 +1674,9 @@ setFilter:function(filter) { this._filter = filter; this.fileSummary.setFilter(filter, this.files); - this.hideIrrelevantUIWhenNoFilesMatch(); + if (!this.$el.find('.mask').exists()) { + this.hideIrrelevantUIWhenNoFilesMatch(); + } var that = this; this.$fileList.find('tr').each(function(i,e) { var $e = $(e); @@ -1690,13 +1692,15 @@ if (this._filter && this.fileSummary.summary.totalDirs + this.fileSummary.summary.totalFiles === 0) { this.$el.find('#filestable thead th').addClass('hidden'); this.$el.find('#emptycontent').addClass('hidden'); - if ( $('#searchresults').length === 0 || $('#searchresults').hasClass('hidden')) { + if ( $('#searchresults').length === 0 || $('#searchresults').hasClass('hidden') ) { this.$el.find('.nofilterresults').removeClass('hidden'). find('p').text(t('files', "No entries in this folder match '{filter}'", {filter:this._filter}, null, {'escape': false})); } } else { this.$el.find('#filestable thead th').toggleClass('hidden', this.isEmpty); - this.$el.find('#emptycontent').toggleClass('hidden', !this.isEmpty); + if (!this.$el.find('.mask').exists()) { + this.$el.find('#emptycontent').toggleClass('hidden', !this.isEmpty); + } this.$el.find('.nofilterresults').addClass('hidden'); } }, @@ -1832,9 +1836,18 @@ fileUploadStart.on('fileuploaddrop', function(e, data) { OC.Upload.log('filelist handle fileuploaddrop', e, data); + if (self.$el.hasClass('hidden')) { + // do not upload to invisible lists + return false; + } + var dropTarget = $(e.originalEvent.target); // check if dropped inside this container and not another one - if (dropTarget.length && !self.$el.is(dropTarget) && !self.$el.has(dropTarget).length) { + if (dropTarget.length + && !self.$el.is(dropTarget) // dropped on list directly + && !self.$el.has(dropTarget).length // dropped inside list + && !dropTarget.is(self.$container) // dropped on main container + ) { return false; } diff --git a/apps/files/js/tagsplugin.js b/apps/files/js/tagsplugin.js index a6757431ffa..dec6063aa9b 100644 --- a/apps/files/js/tagsplugin.js +++ b/apps/files/js/tagsplugin.js @@ -110,10 +110,17 @@ dir + '/' + fileName, tags ).then(function(result) { + // response from server should contain updated tags + var newTags = result.tags; + if (_.isUndefined(newTags)) { + newTags = tags; + } + var fileInfo = context.fileList.files[$file.index()]; // read latest state from result - toggleStar($actionEl, (result.tags.indexOf(OC.TAG_FAVORITE) >= 0)); - $file.attr('data-tags', tags.join('|')); + toggleStar($actionEl, (newTags.indexOf(OC.TAG_FAVORITE) >= 0)); + $file.attr('data-tags', newTags.join('|')); $file.attr('data-favorite', !isFavorite); + fileInfo.tags = newTags; }); } }); diff --git a/apps/files/l10n/ar.js b/apps/files/l10n/ar.js index ab22b2ef55e..2f03fd8f400 100644 --- a/apps/files/l10n/ar.js +++ b/apps/files/l10n/ar.js @@ -31,6 +31,7 @@ OC.L10N.register( "Rename" : "إعادة تسميه", "Delete" : "إلغاء", "Unshare" : "إلغاء المشاركة", + "Download" : "تحميل", "Pending" : "قيد الانتظار", "Error moving file" : "حدث خطأ أثناء نقل الملف", "Error" : "خطأ", @@ -63,7 +64,6 @@ OC.L10N.register( "From link" : "من رابط", "Upload" : "رفع", "Cancel upload" : "إلغاء الرفع", - "Download" : "تحميل", "Upload too large" : "حجم الترفيع أعلى من المسموح", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم.", "Files are being scanned, please wait." : "يرجى الانتظار , جاري فحص الملفات ." diff --git a/apps/files/l10n/ar.json b/apps/files/l10n/ar.json index 4b5bf1362f9..8bb71b32f2b 100644 --- a/apps/files/l10n/ar.json +++ b/apps/files/l10n/ar.json @@ -29,6 +29,7 @@ "Rename" : "إعادة تسميه", "Delete" : "إلغاء", "Unshare" : "إلغاء المشاركة", + "Download" : "تحميل", "Pending" : "قيد الانتظار", "Error moving file" : "حدث خطأ أثناء نقل الملف", "Error" : "خطأ", @@ -61,7 +62,6 @@ "From link" : "من رابط", "Upload" : "رفع", "Cancel upload" : "إلغاء الرفع", - "Download" : "تحميل", "Upload too large" : "حجم الترفيع أعلى من المسموح", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم.", "Files are being scanned, please wait." : "يرجى الانتظار , جاري فحص الملفات ." diff --git a/apps/files/l10n/ast.js b/apps/files/l10n/ast.js index fdf4213fb1c..9acdf157eff 100644 --- a/apps/files/l10n/ast.js +++ b/apps/files/l10n/ast.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Desaniciar", "Disconnect storage" : "Desconeutar almacenamientu", "Unshare" : "Dexar de compartir", + "Download" : "Descargar", "Pending" : "Pendiente", "Error moving file." : "Fallu moviendo'l ficheru.", "Error moving file" : "Fallu moviendo'l ficheru", @@ -92,7 +93,6 @@ OC.L10N.register( "From link" : "Dende enllaz", "Upload" : "Xubir", "Cancel upload" : "Encaboxar xuba", - "Download" : "Descargar", "Upload too large" : "La xuba ye abondo grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los ficheros que tas intentando xubir perpasen el tamañu máximu pa les xubíes de ficheros nesti servidor.", "Files are being scanned, please wait." : "Tan escaniándose los ficheros, espera por favor.", diff --git a/apps/files/l10n/ast.json b/apps/files/l10n/ast.json index 998f2689db9..40d97bfbe04 100644 --- a/apps/files/l10n/ast.json +++ b/apps/files/l10n/ast.json @@ -50,6 +50,7 @@ "Delete" : "Desaniciar", "Disconnect storage" : "Desconeutar almacenamientu", "Unshare" : "Dexar de compartir", + "Download" : "Descargar", "Pending" : "Pendiente", "Error moving file." : "Fallu moviendo'l ficheru.", "Error moving file" : "Fallu moviendo'l ficheru", @@ -90,7 +91,6 @@ "From link" : "Dende enllaz", "Upload" : "Xubir", "Cancel upload" : "Encaboxar xuba", - "Download" : "Descargar", "Upload too large" : "La xuba ye abondo grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los ficheros que tas intentando xubir perpasen el tamañu máximu pa les xubíes de ficheros nesti servidor.", "Files are being scanned, please wait." : "Tan escaniándose los ficheros, espera por favor.", diff --git a/apps/files/l10n/az.js b/apps/files/l10n/az.js index c8f3b9b48dc..90be607e9f2 100644 --- a/apps/files/l10n/az.js +++ b/apps/files/l10n/az.js @@ -48,6 +48,7 @@ OC.L10N.register( "Error fetching URL" : "URL-in gətirilməsində səhv baş verdi", "Rename" : "Adı dəyiş", "Delete" : "Sil", + "Download" : "Yüklə", "Error" : "Səhv", "Name" : "Ad", "Size" : "Həcm", @@ -60,7 +61,6 @@ OC.L10N.register( "New folder" : "Yeni qovluq", "Folder" : "Qovluq", "Upload" : "Serverə yüklə", - "Cancel upload" : "Yüklənməni dayandır", - "Download" : "Yüklə" + "Cancel upload" : "Yüklənməni dayandır" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/az.json b/apps/files/l10n/az.json index 23c6a0f8f90..c0b614ff96e 100644 --- a/apps/files/l10n/az.json +++ b/apps/files/l10n/az.json @@ -46,6 +46,7 @@ "Error fetching URL" : "URL-in gətirilməsində səhv baş verdi", "Rename" : "Adı dəyiş", "Delete" : "Sil", + "Download" : "Yüklə", "Error" : "Səhv", "Name" : "Ad", "Size" : "Həcm", @@ -58,7 +59,6 @@ "New folder" : "Yeni qovluq", "Folder" : "Qovluq", "Upload" : "Serverə yüklə", - "Cancel upload" : "Yüklənməni dayandır", - "Download" : "Yüklə" + "Cancel upload" : "Yüklənməni dayandır" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/bg_BG.js b/apps/files/l10n/bg_BG.js index 962c1326eb7..b7fc758007c 100644 --- a/apps/files/l10n/bg_BG.js +++ b/apps/files/l10n/bg_BG.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Изтрий", "Disconnect storage" : "Извади дисковото устройство.", "Unshare" : "Премахни Споделяне", + "Download" : "Изтегли", "Pending" : "Чакащо", "Error moving file." : "Грешка при местенето на файла.", "Error moving file" : "Грешка при преместването на файла.", @@ -92,7 +93,6 @@ OC.L10N.register( "From link" : "От връзка", "Upload" : "Качване", "Cancel upload" : "Отказване на качването", - "Download" : "Изтегли", "Upload too large" : "Прекалено голям файл за качване.", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файловете, които се опитваш да качиш са по-големи от позволеното на този сървър.", "Files are being scanned, please wait." : "Файловете се сканирват, изчакайте.", diff --git a/apps/files/l10n/bg_BG.json b/apps/files/l10n/bg_BG.json index f587b6c4639..05871b7f863 100644 --- a/apps/files/l10n/bg_BG.json +++ b/apps/files/l10n/bg_BG.json @@ -50,6 +50,7 @@ "Delete" : "Изтрий", "Disconnect storage" : "Извади дисковото устройство.", "Unshare" : "Премахни Споделяне", + "Download" : "Изтегли", "Pending" : "Чакащо", "Error moving file." : "Грешка при местенето на файла.", "Error moving file" : "Грешка при преместването на файла.", @@ -90,7 +91,6 @@ "From link" : "От връзка", "Upload" : "Качване", "Cancel upload" : "Отказване на качването", - "Download" : "Изтегли", "Upload too large" : "Прекалено голям файл за качване.", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файловете, които се опитваш да качиш са по-големи от позволеното на този сървър.", "Files are being scanned, please wait." : "Файловете се сканирват, изчакайте.", diff --git a/apps/files/l10n/bn_BD.js b/apps/files/l10n/bn_BD.js index a79808b39b8..a0e7ac04be8 100644 --- a/apps/files/l10n/bn_BD.js +++ b/apps/files/l10n/bn_BD.js @@ -37,6 +37,7 @@ OC.L10N.register( "Rename" : "পূনঃনামকরণ", "Delete" : "মুছে", "Unshare" : "ভাগাভাগি বাতিল ", + "Download" : "ডাউনলোড", "Pending" : "মুলতুবি", "Error moving file." : "ফাইল সরাতে সমস্যা হলো।", "Error moving file" : "ফাইল সরাতে সমস্যা হলো", @@ -65,7 +66,6 @@ OC.L10N.register( "From link" : " লিংক থেকে", "Upload" : "আপলোড", "Cancel upload" : "আপলোড বাতিল কর", - "Download" : "ডাউনলোড", "Upload too large" : "আপলোডের আকারটি অনেক বড়", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "আপনি এই সার্ভারে আপলোড করার জন্য অনুমোদিত ফাইলের সর্বোচ্চ আকারের চেয়ে বৃহদাকার ফাইল আপলোড করার চেষ্টা করছেন ", "Files are being scanned, please wait." : "ফাইলগুলো স্ক্যান করা হচ্ছে, দয়া করে অপেক্ষা করুন।" diff --git a/apps/files/l10n/bn_BD.json b/apps/files/l10n/bn_BD.json index 954500f5452..8fd65000763 100644 --- a/apps/files/l10n/bn_BD.json +++ b/apps/files/l10n/bn_BD.json @@ -35,6 +35,7 @@ "Rename" : "পূনঃনামকরণ", "Delete" : "মুছে", "Unshare" : "ভাগাভাগি বাতিল ", + "Download" : "ডাউনলোড", "Pending" : "মুলতুবি", "Error moving file." : "ফাইল সরাতে সমস্যা হলো।", "Error moving file" : "ফাইল সরাতে সমস্যা হলো", @@ -63,7 +64,6 @@ "From link" : " লিংক থেকে", "Upload" : "আপলোড", "Cancel upload" : "আপলোড বাতিল কর", - "Download" : "ডাউনলোড", "Upload too large" : "আপলোডের আকারটি অনেক বড়", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "আপনি এই সার্ভারে আপলোড করার জন্য অনুমোদিত ফাইলের সর্বোচ্চ আকারের চেয়ে বৃহদাকার ফাইল আপলোড করার চেষ্টা করছেন ", "Files are being scanned, please wait." : "ফাইলগুলো স্ক্যান করা হচ্ছে, দয়া করে অপেক্ষা করুন।" diff --git a/apps/files/l10n/bn_IN.js b/apps/files/l10n/bn_IN.js index d8e060f1aad..409d8c74e85 100644 --- a/apps/files/l10n/bn_IN.js +++ b/apps/files/l10n/bn_IN.js @@ -16,6 +16,7 @@ OC.L10N.register( "Files" : "ফাইলস", "Rename" : "পুনঃনামকরণ", "Delete" : "মুছে ফেলা", + "Download" : "ডাউনলোড করুন", "Pending" : "মুলতুবি", "Error" : "ভুল", "Name" : "নাম", @@ -27,7 +28,6 @@ OC.L10N.register( "Save" : "সেভ", "Settings" : "সেটিংস", "New folder" : "নতুন ফোল্ডার", - "Folder" : "ফোল্ডার", - "Download" : "ডাউনলোড করুন" + "Folder" : "ফোল্ডার" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/bn_IN.json b/apps/files/l10n/bn_IN.json index 6f47e0e6db7..852acdf8327 100644 --- a/apps/files/l10n/bn_IN.json +++ b/apps/files/l10n/bn_IN.json @@ -14,6 +14,7 @@ "Files" : "ফাইলস", "Rename" : "পুনঃনামকরণ", "Delete" : "মুছে ফেলা", + "Download" : "ডাউনলোড করুন", "Pending" : "মুলতুবি", "Error" : "ভুল", "Name" : "নাম", @@ -25,7 +26,6 @@ "Save" : "সেভ", "Settings" : "সেটিংস", "New folder" : "নতুন ফোল্ডার", - "Folder" : "ফোল্ডার", - "Download" : "ডাউনলোড করুন" + "Folder" : "ফোল্ডার" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/bs.js b/apps/files/l10n/bs.js index 4298acf5377..7562715cff9 100644 --- a/apps/files/l10n/bs.js +++ b/apps/files/l10n/bs.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Izbriši", "Disconnect storage" : "Diskonektuj pohranu", "Unshare" : "Prestani dijeliti", + "Download" : "Preuzmi", "Select" : "Izaberi", "Pending" : "Na čekanju", "Unable to determine date" : "Nemoguće odrediti datum", @@ -98,7 +99,6 @@ OC.L10N.register( "No files yet" : "Još nema datoteki", "Upload some content or sync with your devices!" : "Učitaj neki sadržaj ili sinhronizuj sa tvojim uređajima!", "Select all" : "Označi sve", - "Download" : "Preuzmi", "Upload too large" : "Učitavanje je preveliko", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke koje pokušavate učitati prelaze maksimalnu veličinu za učitavanje datoteka na ovom serveru.", "Files are being scanned, please wait." : "Datoteke se provjeravaju, molim pričekajte.", diff --git a/apps/files/l10n/bs.json b/apps/files/l10n/bs.json index 7a809e84fd9..fb95979ef44 100644 --- a/apps/files/l10n/bs.json +++ b/apps/files/l10n/bs.json @@ -50,6 +50,7 @@ "Delete" : "Izbriši", "Disconnect storage" : "Diskonektuj pohranu", "Unshare" : "Prestani dijeliti", + "Download" : "Preuzmi", "Select" : "Izaberi", "Pending" : "Na čekanju", "Unable to determine date" : "Nemoguće odrediti datum", @@ -96,7 +97,6 @@ "No files yet" : "Još nema datoteki", "Upload some content or sync with your devices!" : "Učitaj neki sadržaj ili sinhronizuj sa tvojim uređajima!", "Select all" : "Označi sve", - "Download" : "Preuzmi", "Upload too large" : "Učitavanje je preveliko", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke koje pokušavate učitati prelaze maksimalnu veličinu za učitavanje datoteka na ovom serveru.", "Files are being scanned, please wait." : "Datoteke se provjeravaju, molim pričekajte.", diff --git a/apps/files/l10n/ca.js b/apps/files/l10n/ca.js index b43373eb6b3..22ff456c220 100644 --- a/apps/files/l10n/ca.js +++ b/apps/files/l10n/ca.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Esborra", "Disconnect storage" : "Desonnecta l'emmagatzematge", "Unshare" : "Deixa de compartir", + "Download" : "Baixa", "Select" : "Selecciona", "Pending" : "Pendent", "Error moving file." : "Error en moure el fitxer.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "Des d'enllaç", "Upload" : "Puja", "Cancel upload" : "Cancel·la la pujada", - "Download" : "Baixa", "Upload too large" : "La pujada és massa gran", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor", "Files are being scanned, please wait." : "S'estan escanejant els fitxers, espereu", diff --git a/apps/files/l10n/ca.json b/apps/files/l10n/ca.json index 9d8175c8936..d8982bc6163 100644 --- a/apps/files/l10n/ca.json +++ b/apps/files/l10n/ca.json @@ -50,6 +50,7 @@ "Delete" : "Esborra", "Disconnect storage" : "Desonnecta l'emmagatzematge", "Unshare" : "Deixa de compartir", + "Download" : "Baixa", "Select" : "Selecciona", "Pending" : "Pendent", "Error moving file." : "Error en moure el fitxer.", @@ -91,7 +92,6 @@ "From link" : "Des d'enllaç", "Upload" : "Puja", "Cancel upload" : "Cancel·la la pujada", - "Download" : "Baixa", "Upload too large" : "La pujada és massa gran", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Els fitxers que esteu intentant pujar excedeixen la mida màxima de pujada del servidor", "Files are being scanned, please wait." : "S'estan escanejant els fitxers, espereu", diff --git a/apps/files/l10n/cs_CZ.js b/apps/files/l10n/cs_CZ.js index 848b0eda9f6..b864b8316d2 100644 --- a/apps/files/l10n/cs_CZ.js +++ b/apps/files/l10n/cs_CZ.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Smazat", "Disconnect storage" : "Odpojit úložiště", "Unshare" : "Zrušit sdílení", + "Download" : "Stáhnout", "Select" : "Vybrat", "Pending" : "Nevyřízené", "Unable to determine date" : "Nelze určit datum", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale vaše klíče nejsou inicializované. Prosím odhlaste se a znovu přihlaste", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Chybný soukromý klíč pro šifrovací aplikaci. Aktualizujte prosím heslo svého soukromého klíče ve vašem osobním nastavení, abyste znovu získali přístup k vašim zašifrovaným souborům.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Šifrování bylo vypnuto, vaše soubory jsou však stále zašifrované. Běžte prosím do osobního nastavení, kde soubory odšifrujete.", - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_matches '{filter}'_::_match '{filter}'_" : ["odpovídá '{filter}'","odpovídá '{filter}'","odpovídá '{filter}'"], "{dirs} and {files}" : "{dirs} a {files}", "Favorited" : "Přidáno k oblíbeným", "Favorite" : "Oblíbené", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Nahrajte nějaký obsah nebo synchronizujte se svými přístroji!", "No entries found in this folder" : "V tomto adresáři nebylo nic nalezeno", "Select all" : "Vybrat vše", - "Download" : "Stáhnout", "Upload too large" : "Odesílaný soubor je příliš velký", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru.", "Files are being scanned, please wait." : "Soubory se prohledávají, prosím čekejte.", diff --git a/apps/files/l10n/cs_CZ.json b/apps/files/l10n/cs_CZ.json index 70eae60b3bd..ecff8b31757 100644 --- a/apps/files/l10n/cs_CZ.json +++ b/apps/files/l10n/cs_CZ.json @@ -50,6 +50,7 @@ "Delete" : "Smazat", "Disconnect storage" : "Odpojit úložiště", "Unshare" : "Zrušit sdílení", + "Download" : "Stáhnout", "Select" : "Vybrat", "Pending" : "Nevyřízené", "Unable to determine date" : "Nelze určit datum", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale vaše klíče nejsou inicializované. Prosím odhlaste se a znovu přihlaste", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Chybný soukromý klíč pro šifrovací aplikaci. Aktualizujte prosím heslo svého soukromého klíče ve vašem osobním nastavení, abyste znovu získali přístup k vašim zašifrovaným souborům.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Šifrování bylo vypnuto, vaše soubory jsou však stále zašifrované. Běžte prosím do osobního nastavení, kde soubory odšifrujete.", - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_matches '{filter}'_::_match '{filter}'_" : ["odpovídá '{filter}'","odpovídá '{filter}'","odpovídá '{filter}'"], "{dirs} and {files}" : "{dirs} a {files}", "Favorited" : "Přidáno k oblíbeným", "Favorite" : "Oblíbené", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Nahrajte nějaký obsah nebo synchronizujte se svými přístroji!", "No entries found in this folder" : "V tomto adresáři nebylo nic nalezeno", "Select all" : "Vybrat vše", - "Download" : "Stáhnout", "Upload too large" : "Odesílaný soubor je příliš velký", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Soubory, které se snažíte odeslat, překračují limit velikosti odesílání na tomto serveru.", "Files are being scanned, please wait." : "Soubory se prohledávají, prosím čekejte.", diff --git a/apps/files/l10n/cy_GB.js b/apps/files/l10n/cy_GB.js index f437968e42a..808c5a0c312 100644 --- a/apps/files/l10n/cy_GB.js +++ b/apps/files/l10n/cy_GB.js @@ -23,6 +23,7 @@ OC.L10N.register( "Rename" : "Ailenwi", "Delete" : "Dileu", "Unshare" : "Dad-rannu", + "Download" : "Llwytho i lawr", "Pending" : "I ddod", "Error" : "Gwall", "Name" : "Enw", @@ -45,7 +46,6 @@ OC.L10N.register( "From link" : "Dolen o", "Upload" : "Llwytho i fyny", "Cancel upload" : "Diddymu llwytho i fyny", - "Download" : "Llwytho i lawr", "Upload too large" : "Maint llwytho i fyny'n rhy fawr", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Mae'r ffeiliau rydych yn ceisio llwytho i fyny'n fwy na maint mwyaf llwytho ffeiliau i fyny ar y gweinydd hwn.", "Files are being scanned, please wait." : "Arhoswch, mae ffeiliau'n cael eu sganio." diff --git a/apps/files/l10n/cy_GB.json b/apps/files/l10n/cy_GB.json index acb35c16ac0..3d451a62a8a 100644 --- a/apps/files/l10n/cy_GB.json +++ b/apps/files/l10n/cy_GB.json @@ -21,6 +21,7 @@ "Rename" : "Ailenwi", "Delete" : "Dileu", "Unshare" : "Dad-rannu", + "Download" : "Llwytho i lawr", "Pending" : "I ddod", "Error" : "Gwall", "Name" : "Enw", @@ -43,7 +44,6 @@ "From link" : "Dolen o", "Upload" : "Llwytho i fyny", "Cancel upload" : "Diddymu llwytho i fyny", - "Download" : "Llwytho i lawr", "Upload too large" : "Maint llwytho i fyny'n rhy fawr", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Mae'r ffeiliau rydych yn ceisio llwytho i fyny'n fwy na maint mwyaf llwytho ffeiliau i fyny ar y gweinydd hwn.", "Files are being scanned, please wait." : "Arhoswch, mae ffeiliau'n cael eu sganio." diff --git a/apps/files/l10n/da.js b/apps/files/l10n/da.js index cdf045b55db..41f59de71b2 100644 --- a/apps/files/l10n/da.js +++ b/apps/files/l10n/da.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Slet", "Disconnect storage" : "Frakobl lager", "Unshare" : "Fjern deling", + "Download" : "Download", "Select" : "Vælg", "Pending" : "Afventer", "Unable to determine date" : "Kan ikke fastslå datoen", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret, men din nøgle er ikke igangsat. Log venligst ud og ind igen.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ugyldig privat nøgle for krypteringsprogrammet. Opdater venligst dit kodeord for den private nøgle i dine personlige indstillinger. Det kræves for at få adgang til dine krypterede filer.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Krypteringen blev deaktiveret, men dine filer er stadig krypteret. Gå venligst til dine personlige indstillinger for at dekryptere dine filer. ", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["match '{filter}'","match '{filter}'"], "{dirs} and {files}" : "{dirs} og {files}", "Favorited" : "Gjort til favorit", "Favorite" : "Foretrukken", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Overfør indhold eller synkronisér med dine enheder!", "No entries found in this folder" : "Der blev ikke fundet poster i denne mappe", "Select all" : "Vælg alle", - "Download" : "Download", "Upload too large" : "Upload er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server.", "Files are being scanned, please wait." : "Filerne bliver indlæst, vent venligst.", diff --git a/apps/files/l10n/da.json b/apps/files/l10n/da.json index 41a76dc39e9..0b93a3fa8a3 100644 --- a/apps/files/l10n/da.json +++ b/apps/files/l10n/da.json @@ -50,6 +50,7 @@ "Delete" : "Slet", "Disconnect storage" : "Frakobl lager", "Unshare" : "Fjern deling", + "Download" : "Download", "Select" : "Vælg", "Pending" : "Afventer", "Unable to determine date" : "Kan ikke fastslå datoen", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret, men din nøgle er ikke igangsat. Log venligst ud og ind igen.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ugyldig privat nøgle for krypteringsprogrammet. Opdater venligst dit kodeord for den private nøgle i dine personlige indstillinger. Det kræves for at få adgang til dine krypterede filer.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Krypteringen blev deaktiveret, men dine filer er stadig krypteret. Gå venligst til dine personlige indstillinger for at dekryptere dine filer. ", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["match '{filter}'","match '{filter}'"], "{dirs} and {files}" : "{dirs} og {files}", "Favorited" : "Gjort til favorit", "Favorite" : "Foretrukken", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Overfør indhold eller synkronisér med dine enheder!", "No entries found in this folder" : "Der blev ikke fundet poster i denne mappe", "Select all" : "Vælg alle", - "Download" : "Download", "Upload too large" : "Upload er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filerne, du prøver at uploade, er større end den maksimale størrelse for fil-upload på denne server.", "Files are being scanned, please wait." : "Filerne bliver indlæst, vent venligst.", diff --git a/apps/files/l10n/de.js b/apps/files/l10n/de.js index 7f4a8400b33..1559fe5c03a 100644 --- a/apps/files/l10n/de.js +++ b/apps/files/l10n/de.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Löschen", "Disconnect storage" : "Speicher trennen", "Unshare" : "Freigabe aufheben", + "Download" : "Herunterladen", "Select" : "Auswählen", "Pending" : "Ausstehend", "Unable to determine date" : "Datum konnte nicht ermittelt werden", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselung-App ist aktiviert, aber Deine Schlüssel sind nicht initialisiert. Bitte melden Dich nochmals ab und wieder an.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ungültiger privater Schlüssel für die Verschlüsselung-App. Bitte aktualisiere Dein privates Schlüssel-Passwort, um den Zugriff auf Deine verschlüsselten Dateien wiederherzustellen.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Die Verschlüsselung wurde deaktiviert, jedoch sind Deine Dateien nach wie vor verschlüsselt. Bitte gehe zu Deinen persönlichen Einstellungen, um Deine Dateien zu entschlüsseln.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["stimmt mit '{filter}' überein","stimmen mit '{filter}' überein"], "{dirs} and {files}" : "{dirs} und {files}", "Favorited" : "Favorisiert", "Favorite" : "Favorit", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Lade Inhalte hoch oder synchronisiere mit Deinen Geräten!", "No entries found in this folder" : "Keine Einträge in diesem Ordner", "Select all" : "Alle auswählen", - "Download" : "Herunterladen", "Upload too large" : "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." : "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/de.json b/apps/files/l10n/de.json index 2b9be57c32c..fd9b6260d6d 100644 --- a/apps/files/l10n/de.json +++ b/apps/files/l10n/de.json @@ -50,6 +50,7 @@ "Delete" : "Löschen", "Disconnect storage" : "Speicher trennen", "Unshare" : "Freigabe aufheben", + "Download" : "Herunterladen", "Select" : "Auswählen", "Pending" : "Ausstehend", "Unable to determine date" : "Datum konnte nicht ermittelt werden", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselung-App ist aktiviert, aber Deine Schlüssel sind nicht initialisiert. Bitte melden Dich nochmals ab und wieder an.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ungültiger privater Schlüssel für die Verschlüsselung-App. Bitte aktualisiere Dein privates Schlüssel-Passwort, um den Zugriff auf Deine verschlüsselten Dateien wiederherzustellen.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Die Verschlüsselung wurde deaktiviert, jedoch sind Deine Dateien nach wie vor verschlüsselt. Bitte gehe zu Deinen persönlichen Einstellungen, um Deine Dateien zu entschlüsseln.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["stimmt mit '{filter}' überein","stimmen mit '{filter}' überein"], "{dirs} and {files}" : "{dirs} und {files}", "Favorited" : "Favorisiert", "Favorite" : "Favorit", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Lade Inhalte hoch oder synchronisiere mit Deinen Geräten!", "No entries found in this folder" : "Keine Einträge in diesem Ordner", "Select all" : "Alle auswählen", - "Download" : "Herunterladen", "Upload too large" : "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." : "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/de_AT.js b/apps/files/l10n/de_AT.js index 1fd0c91bd0a..baf419cd7f4 100644 --- a/apps/files/l10n/de_AT.js +++ b/apps/files/l10n/de_AT.js @@ -4,13 +4,13 @@ OC.L10N.register( "Files" : "Dateien", "Delete" : "Löschen", "Unshare" : "Teilung zurücknehmen", + "Download" : "Herunterladen", "Error" : "Fehler", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Save" : "Speichern", - "Settings" : "Einstellungen", - "Download" : "Herunterladen" + "Settings" : "Einstellungen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/de_AT.json b/apps/files/l10n/de_AT.json index dba986cf032..a27065acc9e 100644 --- a/apps/files/l10n/de_AT.json +++ b/apps/files/l10n/de_AT.json @@ -2,13 +2,13 @@ "Files" : "Dateien", "Delete" : "Löschen", "Unshare" : "Teilung zurücknehmen", + "Download" : "Herunterladen", "Error" : "Fehler", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Save" : "Speichern", - "Settings" : "Einstellungen", - "Download" : "Herunterladen" + "Settings" : "Einstellungen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/de_DE.js b/apps/files/l10n/de_DE.js index cc995fde4a0..5ea57cdc70c 100644 --- a/apps/files/l10n/de_DE.js +++ b/apps/files/l10n/de_DE.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Löschen", "Disconnect storage" : "Speicher trennen", "Unshare" : "Freigabe aufheben", + "Download" : "Herunterladen", "Select" : "Auswählen", "Pending" : "Ausstehend", "Unable to determine date" : "Datum konnte nicht ermittelt werden", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber Ihre Schlüssel sind nicht initialisiert. Bitte melden Sie sich nochmals ab und wieder an.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ungültiger privater Schlüssel für die Verschlüsselungs-App. Bitte aktualisieren Sie Ihr privates Schlüsselpasswort, um den Zugriff auf Ihre verschlüsselten Dateien wiederherzustellen.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["stimmt mit '{filter}' überein","stimmen mit '{filter}' überein"], "{dirs} and {files}" : "{dirs} und {files}", "Favorited" : "Favorisiert", "Favorite" : "Favorit", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Laden Sie Inhalte hoch oder synchronisieren Sie mit Ihren Geräten!", "No entries found in this folder" : "Keine Einträge in diesem Ordner gefunden", "Select all" : "Alle auswählen", - "Download" : "Herunterladen", "Upload too large" : "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." : "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/de_DE.json b/apps/files/l10n/de_DE.json index b61fe5cfe7c..2ecb290e61c 100644 --- a/apps/files/l10n/de_DE.json +++ b/apps/files/l10n/de_DE.json @@ -50,6 +50,7 @@ "Delete" : "Löschen", "Disconnect storage" : "Speicher trennen", "Unshare" : "Freigabe aufheben", + "Download" : "Herunterladen", "Select" : "Auswählen", "Pending" : "Ausstehend", "Unable to determine date" : "Datum konnte nicht ermittelt werden", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber Ihre Schlüssel sind nicht initialisiert. Bitte melden Sie sich nochmals ab und wieder an.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ungültiger privater Schlüssel für die Verschlüsselungs-App. Bitte aktualisieren Sie Ihr privates Schlüsselpasswort, um den Zugriff auf Ihre verschlüsselten Dateien wiederherzustellen.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Die Verschlüsselung wurde deaktiviert, jedoch sind Ihre Dateien nach wie vor verschlüsselt. Bitte gehen Sie zu Ihren persönlichen Einstellungen, um Ihre Dateien zu entschlüsseln.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["stimmt mit '{filter}' überein","stimmen mit '{filter}' überein"], "{dirs} and {files}" : "{dirs} und {files}", "Favorited" : "Favorisiert", "Favorite" : "Favorit", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Laden Sie Inhalte hoch oder synchronisieren Sie mit Ihren Geräten!", "No entries found in this folder" : "Keine Einträge in diesem Ordner gefunden", "Select all" : "Alle auswählen", - "Download" : "Herunterladen", "Upload too large" : "Der Upload ist zu groß", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Die Datei überschreitet die Maximalgröße für Uploads auf diesem Server.", "Files are being scanned, please wait." : "Dateien werden gescannt, bitte warten.", diff --git a/apps/files/l10n/el.js b/apps/files/l10n/el.js index f1028e664a7..6073f6d2783 100644 --- a/apps/files/l10n/el.js +++ b/apps/files/l10n/el.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Διαγραφή", "Disconnect storage" : "Αποσυνδεδεμένος αποθηκευτικός χώρος", "Unshare" : "Διακοπή διαμοιρασμού", + "Download" : "Λήψη", "Select" : "Επιλογή", "Pending" : "Εκκρεμεί", "Error moving file." : "Σφάλμα κατά τη μετακίνηση του αρχείου.", @@ -94,7 +95,6 @@ OC.L10N.register( "Upload" : "Μεταφόρτωση", "Cancel upload" : "Ακύρωση μεταφόρτωσης", "Select all" : "Επιλογή όλων", - "Download" : "Λήψη", "Upload too large" : "Πολύ μεγάλο αρχείο προς αποστολή", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν τον διακομιστή.", "Files are being scanned, please wait." : "Τα αρχεία σαρώνονται, παρακαλώ περιμένετε.", diff --git a/apps/files/l10n/el.json b/apps/files/l10n/el.json index 98acc23f8ed..9d8a9d0ec8d 100644 --- a/apps/files/l10n/el.json +++ b/apps/files/l10n/el.json @@ -50,6 +50,7 @@ "Delete" : "Διαγραφή", "Disconnect storage" : "Αποσυνδεδεμένος αποθηκευτικός χώρος", "Unshare" : "Διακοπή διαμοιρασμού", + "Download" : "Λήψη", "Select" : "Επιλογή", "Pending" : "Εκκρεμεί", "Error moving file." : "Σφάλμα κατά τη μετακίνηση του αρχείου.", @@ -92,7 +93,6 @@ "Upload" : "Μεταφόρτωση", "Cancel upload" : "Ακύρωση μεταφόρτωσης", "Select all" : "Επιλογή όλων", - "Download" : "Λήψη", "Upload too large" : "Πολύ μεγάλο αρχείο προς αποστολή", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Τα αρχεία που προσπαθείτε να ανεβάσετε υπερβαίνουν το μέγιστο μέγεθος αποστολής αρχείων σε αυτόν τον διακομιστή.", "Files are being scanned, please wait." : "Τα αρχεία σαρώνονται, παρακαλώ περιμένετε.", diff --git a/apps/files/l10n/en_GB.js b/apps/files/l10n/en_GB.js index 42c17931409..664c8cf9010 100644 --- a/apps/files/l10n/en_GB.js +++ b/apps/files/l10n/en_GB.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Delete", "Disconnect storage" : "Disconnect storage", "Unshare" : "Unshare", + "Download" : "Download", "Select" : "Select", "Pending" : "Pending", "Unable to determine date" : "Unable to determine date", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption App is enabled but your keys are not initialised, please log-out and log-in again", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["matches '{filter}'","match '{filter}'"], "{dirs} and {files}" : "{dirs} and {files}", "Favorited" : "Favourited", "Favorite" : "Favourite", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Upload some content or sync with your devices!", "No entries found in this folder" : "No entries found in this folder", "Select all" : "Select all", - "Download" : "Download", "Upload too large" : "Upload too large", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "The files you are trying to upload exceed the maximum size for file uploads on this server.", "Files are being scanned, please wait." : "Files are being scanned, please wait.", diff --git a/apps/files/l10n/en_GB.json b/apps/files/l10n/en_GB.json index 3fe829e8131..fdc0b587386 100644 --- a/apps/files/l10n/en_GB.json +++ b/apps/files/l10n/en_GB.json @@ -50,6 +50,7 @@ "Delete" : "Delete", "Disconnect storage" : "Disconnect storage", "Unshare" : "Unshare", + "Download" : "Download", "Select" : "Select", "Pending" : "Pending", "Unable to determine date" : "Unable to determine date", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption App is enabled but your keys are not initialised, please log-out and log-in again", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["matches '{filter}'","match '{filter}'"], "{dirs} and {files}" : "{dirs} and {files}", "Favorited" : "Favourited", "Favorite" : "Favourite", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Upload some content or sync with your devices!", "No entries found in this folder" : "No entries found in this folder", "Select all" : "Select all", - "Download" : "Download", "Upload too large" : "Upload too large", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "The files you are trying to upload exceed the maximum size for file uploads on this server.", "Files are being scanned, please wait." : "Files are being scanned, please wait.", diff --git a/apps/files/l10n/eo.js b/apps/files/l10n/eo.js index 2d406129d3c..f0dfdd6369b 100644 --- a/apps/files/l10n/eo.js +++ b/apps/files/l10n/eo.js @@ -39,6 +39,7 @@ OC.L10N.register( "Rename" : "Alinomigi", "Delete" : "Forigi", "Unshare" : "Malkunhavigi", + "Download" : "Elŝuti", "Select" : "Elekti", "Pending" : "Traktotaj", "Error moving file" : "Eraris movo de dosiero", @@ -71,7 +72,6 @@ OC.L10N.register( "From link" : "El ligilo", "Upload" : "Alŝuti", "Cancel upload" : "Nuligi alŝuton", - "Download" : "Elŝuti", "Upload too large" : "Alŝuto tro larĝa", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.", "Files are being scanned, please wait." : "Dosieroj estas skanataj, bonvolu atendi." diff --git a/apps/files/l10n/eo.json b/apps/files/l10n/eo.json index 5622149c4d5..6ac3b20bcb2 100644 --- a/apps/files/l10n/eo.json +++ b/apps/files/l10n/eo.json @@ -37,6 +37,7 @@ "Rename" : "Alinomigi", "Delete" : "Forigi", "Unshare" : "Malkunhavigi", + "Download" : "Elŝuti", "Select" : "Elekti", "Pending" : "Traktotaj", "Error moving file" : "Eraris movo de dosiero", @@ -69,7 +70,6 @@ "From link" : "El ligilo", "Upload" : "Alŝuti", "Cancel upload" : "Nuligi alŝuton", - "Download" : "Elŝuti", "Upload too large" : "Alŝuto tro larĝa", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.", "Files are being scanned, please wait." : "Dosieroj estas skanataj, bonvolu atendi." diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index b4d0f693a97..f1bbb505832 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Eliminar", "Disconnect storage" : "Desconectar almacenamiento", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendiente", "Unable to determine date" : "No se pudo determinar la fecha", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La app de crifrado está habilitada pero tus claves no han sido inicializadas, por favor, cierra la sesión y vuelva a iniciarla de nuevo.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "La clave privada no es válida para la app de cifrado. Por favor, actualiza la contraseña de tu clave privada en tus ajustes personales para recuperar el acceso a tus archivos cifrados.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "El cifrado ha sido deshabilitado pero tus archivos permanecen cifrados. Por favor, ve a tus ajustes personales para descifrar tus archivos.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["coincidencias '{filter}'","coincidencia '{filter}'"], "{dirs} and {files}" : "{dirs} y {files}", "Favorited" : "Agregado a favoritos", "Favorite" : "Favorito", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Suba contenidos o sincronice sus dispositivos.", "No entries found in this folder" : "No hay entradas en esta carpeta", "Select all" : "Seleccionar todo", - "Download" : "Descargar", "Upload too large" : "Subida demasido grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor.", "Files are being scanned, please wait." : "Los archivos están siendo escaneados, por favor espere.", diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index f4baf2fb700..019c52d1310 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -50,6 +50,7 @@ "Delete" : "Eliminar", "Disconnect storage" : "Desconectar almacenamiento", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendiente", "Unable to determine date" : "No se pudo determinar la fecha", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La app de crifrado está habilitada pero tus claves no han sido inicializadas, por favor, cierra la sesión y vuelva a iniciarla de nuevo.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "La clave privada no es válida para la app de cifrado. Por favor, actualiza la contraseña de tu clave privada en tus ajustes personales para recuperar el acceso a tus archivos cifrados.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "El cifrado ha sido deshabilitado pero tus archivos permanecen cifrados. Por favor, ve a tus ajustes personales para descifrar tus archivos.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["coincidencias '{filter}'","coincidencia '{filter}'"], "{dirs} and {files}" : "{dirs} y {files}", "Favorited" : "Agregado a favoritos", "Favorite" : "Favorito", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Suba contenidos o sincronice sus dispositivos.", "No entries found in this folder" : "No hay entradas en esta carpeta", "Select all" : "Seleccionar todo", - "Download" : "Descargar", "Upload too large" : "Subida demasido grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor.", "Files are being scanned, please wait." : "Los archivos están siendo escaneados, por favor espere.", diff --git a/apps/files/l10n/es_AR.js b/apps/files/l10n/es_AR.js index 162ef89d9db..39de4af29ba 100644 --- a/apps/files/l10n/es_AR.js +++ b/apps/files/l10n/es_AR.js @@ -42,6 +42,7 @@ OC.L10N.register( "Rename" : "Cambiar nombre", "Delete" : "Borrar", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendientes", "Error moving file" : "Error moviendo el archivo", @@ -79,7 +80,6 @@ OC.L10N.register( "From link" : "Desde enlace", "Upload" : "Subir", "Cancel upload" : "Cancelar subida", - "Download" : "Descargar", "Upload too large" : "El tamaño del archivo que querés subir es demasiado grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que intentás subir sobrepasan el tamaño máximo ", "Files are being scanned, please wait." : "Se están escaneando los archivos, por favor esperá." diff --git a/apps/files/l10n/es_AR.json b/apps/files/l10n/es_AR.json index 3e53f4b8259..1a58715cd96 100644 --- a/apps/files/l10n/es_AR.json +++ b/apps/files/l10n/es_AR.json @@ -40,6 +40,7 @@ "Rename" : "Cambiar nombre", "Delete" : "Borrar", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendientes", "Error moving file" : "Error moviendo el archivo", @@ -77,7 +78,6 @@ "From link" : "Desde enlace", "Upload" : "Subir", "Cancel upload" : "Cancelar subida", - "Download" : "Descargar", "Upload too large" : "El tamaño del archivo que querés subir es demasiado grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que intentás subir sobrepasan el tamaño máximo ", "Files are being scanned, please wait." : "Se están escaneando los archivos, por favor esperá." diff --git a/apps/files/l10n/es_CL.js b/apps/files/l10n/es_CL.js index 2d55e6f2199..4e7a2daa421 100644 --- a/apps/files/l10n/es_CL.js +++ b/apps/files/l10n/es_CL.js @@ -4,6 +4,7 @@ OC.L10N.register( "Unknown error" : "Error desconocido", "Files" : "Archivos", "Rename" : "Renombrar", + "Download" : "Descargar", "Error" : "Error", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], @@ -12,7 +13,6 @@ OC.L10N.register( "Settings" : "Configuración", "New folder" : "Nuevo directorio", "Upload" : "Subir", - "Cancel upload" : "cancelar subida", - "Download" : "Descargar" + "Cancel upload" : "cancelar subida" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_CL.json b/apps/files/l10n/es_CL.json index 23f46140803..7abe511c2c9 100644 --- a/apps/files/l10n/es_CL.json +++ b/apps/files/l10n/es_CL.json @@ -2,6 +2,7 @@ "Unknown error" : "Error desconocido", "Files" : "Archivos", "Rename" : "Renombrar", + "Download" : "Descargar", "Error" : "Error", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], @@ -10,7 +11,6 @@ "Settings" : "Configuración", "New folder" : "Nuevo directorio", "Upload" : "Subir", - "Cancel upload" : "cancelar subida", - "Download" : "Descargar" + "Cancel upload" : "cancelar subida" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/es_MX.js b/apps/files/l10n/es_MX.js index 176b5d3a5bf..16a8c0c246b 100644 --- a/apps/files/l10n/es_MX.js +++ b/apps/files/l10n/es_MX.js @@ -42,6 +42,7 @@ OC.L10N.register( "Rename" : "Renombrar", "Delete" : "Eliminar", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Pending" : "Pendiente", "Error moving file" : "Error moviendo archivo", "Error" : "Error", @@ -78,7 +79,6 @@ OC.L10N.register( "From link" : "Desde enlace", "Upload" : "Subir archivo", "Cancel upload" : "Cancelar subida", - "Download" : "Descargar", "Upload too large" : "Subida demasido grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor.", "Files are being scanned, please wait." : "Los archivos están siendo escaneados, por favor espere." diff --git a/apps/files/l10n/es_MX.json b/apps/files/l10n/es_MX.json index e21702800c5..95e80a1b05a 100644 --- a/apps/files/l10n/es_MX.json +++ b/apps/files/l10n/es_MX.json @@ -40,6 +40,7 @@ "Rename" : "Renombrar", "Delete" : "Eliminar", "Unshare" : "Dejar de compartir", + "Download" : "Descargar", "Pending" : "Pendiente", "Error moving file" : "Error moviendo archivo", "Error" : "Error", @@ -76,7 +77,6 @@ "From link" : "Desde enlace", "Upload" : "Subir archivo", "Cancel upload" : "Cancelar subida", - "Download" : "Descargar", "Upload too large" : "Subida demasido grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los archivos que estás intentando subir sobrepasan el tamaño máximo permitido en este servidor.", "Files are being scanned, please wait." : "Los archivos están siendo escaneados, por favor espere." diff --git a/apps/files/l10n/et_EE.js b/apps/files/l10n/et_EE.js index a59ff8c7560..bb3fe98283d 100644 --- a/apps/files/l10n/et_EE.js +++ b/apps/files/l10n/et_EE.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Kustuta", "Disconnect storage" : "Ühenda andmehoidla lahti.", "Unshare" : "Lõpeta jagamine", + "Download" : "Lae alla", "Select" : "Vali", "Pending" : "Ootel", "Error moving file." : "Viga faili liigutamisel.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "Allikast", "Upload" : "Lae üles", "Cancel upload" : "Tühista üleslaadimine", - "Download" : "Lae alla", "Upload too large" : "Üleslaadimine on liiga suur", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse.", "Files are being scanned, please wait." : "Faile skannitakse, palun oota.", diff --git a/apps/files/l10n/et_EE.json b/apps/files/l10n/et_EE.json index 17fa7f68fc2..bcb73946aea 100644 --- a/apps/files/l10n/et_EE.json +++ b/apps/files/l10n/et_EE.json @@ -50,6 +50,7 @@ "Delete" : "Kustuta", "Disconnect storage" : "Ühenda andmehoidla lahti.", "Unshare" : "Lõpeta jagamine", + "Download" : "Lae alla", "Select" : "Vali", "Pending" : "Ootel", "Error moving file." : "Viga faili liigutamisel.", @@ -91,7 +92,6 @@ "From link" : "Allikast", "Upload" : "Lae üles", "Cancel upload" : "Tühista üleslaadimine", - "Download" : "Lae alla", "Upload too large" : "Üleslaadimine on liiga suur", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Failid, mida sa proovid üles laadida, ületab serveri poolt üleslaetavatele failidele määratud maksimaalse suuruse.", "Files are being scanned, please wait." : "Faile skannitakse, palun oota.", diff --git a/apps/files/l10n/eu.js b/apps/files/l10n/eu.js index 38447e96f8d..b1f60461345 100644 --- a/apps/files/l10n/eu.js +++ b/apps/files/l10n/eu.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Ezabatu", "Disconnect storage" : "Deskonektatu biltegia", "Unshare" : "Ez elkarbanatu", + "Download" : "Deskargatu", "Select" : "hautatu", "Pending" : "Zain", "Error moving file." : "Errorea fitxategia mugitzean.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "Estekatik", "Upload" : "Igo", "Cancel upload" : "Ezeztatu igoera", - "Download" : "Deskargatu", "Upload too large" : "Igoera handiegia da", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Igotzen saiatzen ari zaren fitxategiak zerbitzari honek igotzeko onartzen duena baino handiagoak dira.", "Files are being scanned, please wait." : "Fitxategiak eskaneatzen ari da, itxoin mezedez.", diff --git a/apps/files/l10n/eu.json b/apps/files/l10n/eu.json index 3cbf282301a..79b98f6feb8 100644 --- a/apps/files/l10n/eu.json +++ b/apps/files/l10n/eu.json @@ -50,6 +50,7 @@ "Delete" : "Ezabatu", "Disconnect storage" : "Deskonektatu biltegia", "Unshare" : "Ez elkarbanatu", + "Download" : "Deskargatu", "Select" : "hautatu", "Pending" : "Zain", "Error moving file." : "Errorea fitxategia mugitzean.", @@ -91,7 +92,6 @@ "From link" : "Estekatik", "Upload" : "Igo", "Cancel upload" : "Ezeztatu igoera", - "Download" : "Deskargatu", "Upload too large" : "Igoera handiegia da", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Igotzen saiatzen ari zaren fitxategiak zerbitzari honek igotzeko onartzen duena baino handiagoak dira.", "Files are being scanned, please wait." : "Fitxategiak eskaneatzen ari da, itxoin mezedez.", diff --git a/apps/files/l10n/fa.js b/apps/files/l10n/fa.js index 5fcb10c75dd..ad4f50e7043 100644 --- a/apps/files/l10n/fa.js +++ b/apps/files/l10n/fa.js @@ -27,6 +27,7 @@ OC.L10N.register( "Rename" : "تغییرنام", "Delete" : "حذف", "Unshare" : "لغو اشتراک", + "Download" : "دانلود", "Pending" : "در انتظار", "Error" : "خطا", "Name" : "نام", @@ -53,7 +54,6 @@ OC.L10N.register( "From link" : "از پیوند", "Upload" : "بارگزاری", "Cancel upload" : "متوقف کردن بار گذاری", - "Download" : "دانلود", "Upload too large" : "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "فایلها بیش از حد تعیین شده در این سرور هستند\nمترجم:با تغییر فایل php,ini میتوان این محدودیت را برطرف کرد", "Files are being scanned, please wait." : "پرونده ها در حال بازرسی هستند لطفا صبر کنید" diff --git a/apps/files/l10n/fa.json b/apps/files/l10n/fa.json index 56f9377c2db..3d1ef49dc98 100644 --- a/apps/files/l10n/fa.json +++ b/apps/files/l10n/fa.json @@ -25,6 +25,7 @@ "Rename" : "تغییرنام", "Delete" : "حذف", "Unshare" : "لغو اشتراک", + "Download" : "دانلود", "Pending" : "در انتظار", "Error" : "خطا", "Name" : "نام", @@ -51,7 +52,6 @@ "From link" : "از پیوند", "Upload" : "بارگزاری", "Cancel upload" : "متوقف کردن بار گذاری", - "Download" : "دانلود", "Upload too large" : "سایز فایل برای آپلود زیاد است(م.تنظیمات در php.ini)", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "فایلها بیش از حد تعیین شده در این سرور هستند\nمترجم:با تغییر فایل php,ini میتوان این محدودیت را برطرف کرد", "Files are being scanned, please wait." : "پرونده ها در حال بازرسی هستند لطفا صبر کنید" diff --git a/apps/files/l10n/fi_FI.js b/apps/files/l10n/fi_FI.js index 45c639a49d2..cd15c95ffa5 100644 --- a/apps/files/l10n/fi_FI.js +++ b/apps/files/l10n/fi_FI.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Poista", "Disconnect storage" : "Katkaise yhteys tallennustilaan", "Unshare" : "Peru jakaminen", + "Download" : "Lataa", "Select" : "Valitse", "Pending" : "Odottaa", "Unable to determine date" : "Päivämäärän määrittäminen epäonnistui", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on käytössä, mutta salausavaimia ei ole alustettu. Ole hyvä ja kirjaudu sisään uudelleen.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Salaussovelluksen salausavain on virheellinen. Ole hyvä ja päivitä salausavain henkilökohtaisissa asetuksissasi jotta voit taas avata salatuskirjoitetut tiedostosi.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Salaus poistettiin käytöstä, mutta tiedostosi ovat edelleen salattuina. Siirry henkilökohtaisiin asetuksiin avataksesi tiedostojesi salauksen.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["vastaa '{filter}'","vastaa '{filter}'"], "{dirs} and {files}" : "{dirs} ja {files}", "Favorited" : "Lisätty suosikkeihin", "Favorite" : "Suosikki", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Lähetä tiedostoja tai synkronoi sisältö laitteidesi kanssa!", "No entries found in this folder" : "Ei kohteita tässä kansiossa", "Select all" : "Valitse kaikki", - "Download" : "Lataa", "Upload too large" : "Lähetettävä tiedosto on liian suuri", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Lähetettäväksi valitsemasi tiedostot ylittävät palvelimen salliman tiedostokoon rajan.", "Files are being scanned, please wait." : "Tiedostoja tarkistetaan, odota hetki.", diff --git a/apps/files/l10n/fi_FI.json b/apps/files/l10n/fi_FI.json index ea87eaa64e5..a3677691bd0 100644 --- a/apps/files/l10n/fi_FI.json +++ b/apps/files/l10n/fi_FI.json @@ -50,6 +50,7 @@ "Delete" : "Poista", "Disconnect storage" : "Katkaise yhteys tallennustilaan", "Unshare" : "Peru jakaminen", + "Download" : "Lataa", "Select" : "Valitse", "Pending" : "Odottaa", "Unable to determine date" : "Päivämäärän määrittäminen epäonnistui", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on käytössä, mutta salausavaimia ei ole alustettu. Ole hyvä ja kirjaudu sisään uudelleen.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Salaussovelluksen salausavain on virheellinen. Ole hyvä ja päivitä salausavain henkilökohtaisissa asetuksissasi jotta voit taas avata salatuskirjoitetut tiedostosi.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Salaus poistettiin käytöstä, mutta tiedostosi ovat edelleen salattuina. Siirry henkilökohtaisiin asetuksiin avataksesi tiedostojesi salauksen.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["vastaa '{filter}'","vastaa '{filter}'"], "{dirs} and {files}" : "{dirs} ja {files}", "Favorited" : "Lisätty suosikkeihin", "Favorite" : "Suosikki", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Lähetä tiedostoja tai synkronoi sisältö laitteidesi kanssa!", "No entries found in this folder" : "Ei kohteita tässä kansiossa", "Select all" : "Valitse kaikki", - "Download" : "Lataa", "Upload too large" : "Lähetettävä tiedosto on liian suuri", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Lähetettäväksi valitsemasi tiedostot ylittävät palvelimen salliman tiedostokoon rajan.", "Files are being scanned, please wait." : "Tiedostoja tarkistetaan, odota hetki.", diff --git a/apps/files/l10n/fr.js b/apps/files/l10n/fr.js index 6baa2a6ef72..9bf9fdcd401 100644 --- a/apps/files/l10n/fr.js +++ b/apps/files/l10n/fr.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Supprimer", "Disconnect storage" : "Déconnecter ce support de stockage", "Unshare" : "Ne plus partager", + "Download" : "Télécharger", "Select" : "Sélectionner", "Pending" : "En attente", "Unable to determine date" : "Impossible de déterminer la date", @@ -60,6 +61,7 @@ OC.L10N.register( "Error" : "Erreur", "Could not rename file" : "Impossible de renommer le fichier", "Error deleting file." : "Erreur pendant la suppression du fichier.", + "No entries in this folder match '{filter}'" : "Aucune entrée de ce dossier ne correspond à '{filter}'", "Name" : "Nom", "Size" : "Taille", "Modified" : "Modifié", @@ -73,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Le chiffrement est activé, mais vos clés ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée pour le chiffrement n'est pas valide ! Veuillez mettre à jour le mot de passe de votre clef privée dans vos paramètres personnels pour récupérer l'accès à vos fichiers chiffrés.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Le chiffrement a été désactivé mais vos fichiers sont toujours chiffrés. Veuillez vous rendre sur vos paramètres personnels pour déchiffrer vos fichiers.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["correspond à '{filter}'","correspondent à '{filter}'"], "{dirs} and {files}" : "{dirs} et {files}", "Favorited" : "Marqué comme favori", "Favorite" : "Favoris", @@ -97,8 +99,8 @@ OC.L10N.register( "Cancel upload" : "Annuler l'envoi", "No files yet" : "Aucun fichier pour l'instant", "Upload some content or sync with your devices!" : "Envoyez des fichiers ou synchronisez en depuis vos appareils", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Select all" : "Tout sélectionner", - "Download" : "Télécharger", "Upload too large" : "Téléversement trop volumineux", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Les fichiers que vous essayez d'envoyer dépassent la taille maximale d'envoi permise par ce serveur.", "Files are being scanned, please wait." : "Les fichiers sont en cours d'analyse, veuillez patienter.", diff --git a/apps/files/l10n/fr.json b/apps/files/l10n/fr.json index 98d16b21de5..fd36fda4125 100644 --- a/apps/files/l10n/fr.json +++ b/apps/files/l10n/fr.json @@ -50,6 +50,7 @@ "Delete" : "Supprimer", "Disconnect storage" : "Déconnecter ce support de stockage", "Unshare" : "Ne plus partager", + "Download" : "Télécharger", "Select" : "Sélectionner", "Pending" : "En attente", "Unable to determine date" : "Impossible de déterminer la date", @@ -58,6 +59,7 @@ "Error" : "Erreur", "Could not rename file" : "Impossible de renommer le fichier", "Error deleting file." : "Erreur pendant la suppression du fichier.", + "No entries in this folder match '{filter}'" : "Aucune entrée de ce dossier ne correspond à '{filter}'", "Name" : "Nom", "Size" : "Taille", "Modified" : "Modifié", @@ -71,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Le chiffrement est activé, mais vos clés ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée pour le chiffrement n'est pas valide ! Veuillez mettre à jour le mot de passe de votre clef privée dans vos paramètres personnels pour récupérer l'accès à vos fichiers chiffrés.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Le chiffrement a été désactivé mais vos fichiers sont toujours chiffrés. Veuillez vous rendre sur vos paramètres personnels pour déchiffrer vos fichiers.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["correspond à '{filter}'","correspondent à '{filter}'"], "{dirs} and {files}" : "{dirs} et {files}", "Favorited" : "Marqué comme favori", "Favorite" : "Favoris", @@ -95,8 +97,8 @@ "Cancel upload" : "Annuler l'envoi", "No files yet" : "Aucun fichier pour l'instant", "Upload some content or sync with your devices!" : "Envoyez des fichiers ou synchronisez en depuis vos appareils", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Select all" : "Tout sélectionner", - "Download" : "Télécharger", "Upload too large" : "Téléversement trop volumineux", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Les fichiers que vous essayez d'envoyer dépassent la taille maximale d'envoi permise par ce serveur.", "Files are being scanned, please wait." : "Les fichiers sont en cours d'analyse, veuillez patienter.", diff --git a/apps/files/l10n/gl.js b/apps/files/l10n/gl.js index 9e348365bf8..134a6b1cb06 100644 --- a/apps/files/l10n/gl.js +++ b/apps/files/l10n/gl.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Eliminar", "Disconnect storage" : "Desconectar o almacenamento", "Unshare" : "Deixar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendentes", "Unable to determine date" : "Non é posíbel determinar a data", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Envíe algún contido ou sincronice cos seus dispositivos!", "No entries found in this folder" : "Non se atoparon entradas neste cartafol", "Select all" : "Seleccionar todo", - "Download" : "Descargar", "Upload too large" : "Envío grande de máis", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiros que tenta enviar exceden do tamaño máximo permitido neste servidor", "Files are being scanned, please wait." : "Estanse analizando os ficheiros. Agarde.", diff --git a/apps/files/l10n/gl.json b/apps/files/l10n/gl.json index 43b24cf3e69..4eb3c1bc0f3 100644 --- a/apps/files/l10n/gl.json +++ b/apps/files/l10n/gl.json @@ -50,6 +50,7 @@ "Delete" : "Eliminar", "Disconnect storage" : "Desconectar o almacenamento", "Unshare" : "Deixar de compartir", + "Download" : "Descargar", "Select" : "Seleccionar", "Pending" : "Pendentes", "Unable to determine date" : "Non é posíbel determinar a data", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Envíe algún contido ou sincronice cos seus dispositivos!", "No entries found in this folder" : "Non se atoparon entradas neste cartafol", "Select all" : "Seleccionar todo", - "Download" : "Descargar", "Upload too large" : "Envío grande de máis", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiros que tenta enviar exceden do tamaño máximo permitido neste servidor", "Files are being scanned, please wait." : "Estanse analizando os ficheiros. Agarde.", diff --git a/apps/files/l10n/he.js b/apps/files/l10n/he.js index f23aefda081..9629cd77b6a 100644 --- a/apps/files/l10n/he.js +++ b/apps/files/l10n/he.js @@ -27,6 +27,7 @@ OC.L10N.register( "Rename" : "שינוי שם", "Delete" : "מחיקה", "Unshare" : "הסר שיתוף", + "Download" : "הורדה", "Select" : "בחר", "Pending" : "ממתין", "Error" : "שגיאה", @@ -53,7 +54,6 @@ OC.L10N.register( "From link" : "מקישור", "Upload" : "העלאה", "Cancel upload" : "ביטול ההעלאה", - "Download" : "הורדה", "Upload too large" : "העלאה גדולה מידי", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.", "Files are being scanned, please wait." : "הקבצים נסרקים, נא להמתין." diff --git a/apps/files/l10n/he.json b/apps/files/l10n/he.json index fa5d90545e6..fb372531dc7 100644 --- a/apps/files/l10n/he.json +++ b/apps/files/l10n/he.json @@ -25,6 +25,7 @@ "Rename" : "שינוי שם", "Delete" : "מחיקה", "Unshare" : "הסר שיתוף", + "Download" : "הורדה", "Select" : "בחר", "Pending" : "ממתין", "Error" : "שגיאה", @@ -51,7 +52,6 @@ "From link" : "מקישור", "Upload" : "העלאה", "Cancel upload" : "ביטול ההעלאה", - "Download" : "הורדה", "Upload too large" : "העלאה גדולה מידי", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.", "Files are being scanned, please wait." : "הקבצים נסרקים, נא להמתין." diff --git a/apps/files/l10n/hr.js b/apps/files/l10n/hr.js index d3cc7df5080..7de1684d577 100644 --- a/apps/files/l10n/hr.js +++ b/apps/files/l10n/hr.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Izbrišite", "Disconnect storage" : "Isključite pohranu", "Unshare" : "Prestanite dijeliti", + "Download" : "Preuzimanje", "Pending" : "Na čekanju", "Error moving file." : "Pogrešno premještanje datoteke", "Error moving file" : "Pogrešno premještanje datoteke", @@ -92,7 +93,6 @@ OC.L10N.register( "From link" : "Od veze", "Upload" : "Učitavanje", "Cancel upload" : "Prekini upload", - "Download" : "Preuzimanje", "Upload too large" : "Unos je prevelik", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke koje pokušavate učitati premašuju maksimalnu veličinu za unos datoteka na ovom poslužitelju.", "Files are being scanned, please wait." : "Datoteke se provjeravaju, molimo pričekajte.", diff --git a/apps/files/l10n/hr.json b/apps/files/l10n/hr.json index 031ed08758d..7b95bd9e989 100644 --- a/apps/files/l10n/hr.json +++ b/apps/files/l10n/hr.json @@ -50,6 +50,7 @@ "Delete" : "Izbrišite", "Disconnect storage" : "Isključite pohranu", "Unshare" : "Prestanite dijeliti", + "Download" : "Preuzimanje", "Pending" : "Na čekanju", "Error moving file." : "Pogrešno premještanje datoteke", "Error moving file" : "Pogrešno premještanje datoteke", @@ -90,7 +91,6 @@ "From link" : "Od veze", "Upload" : "Učitavanje", "Cancel upload" : "Prekini upload", - "Download" : "Preuzimanje", "Upload too large" : "Unos je prevelik", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke koje pokušavate učitati premašuju maksimalnu veličinu za unos datoteka na ovom poslužitelju.", "Files are being scanned, please wait." : "Datoteke se provjeravaju, molimo pričekajte.", diff --git a/apps/files/l10n/hu_HU.js b/apps/files/l10n/hu_HU.js index 132834900ff..376bd5d3e13 100644 --- a/apps/files/l10n/hu_HU.js +++ b/apps/files/l10n/hu_HU.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Törlés", "Disconnect storage" : "Tároló leválasztása", "Unshare" : "A megosztás visszavonása", + "Download" : "Letöltés", "Select" : "Kiválaszt", "Pending" : "Folyamatban", "Error moving file." : "Hiba történt a fájl áthelyezése közben.", @@ -96,7 +97,6 @@ OC.L10N.register( "Cancel upload" : "A feltöltés megszakítása", "No files yet" : "Még nincsenek fájlok", "Select all" : "Összes kijelölése", - "Download" : "Letöltés", "Upload too large" : "A feltöltés túl nagy", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "A feltöltendő állományok mérete meghaladja a kiszolgálón megengedett maximális méretet.", "Files are being scanned, please wait." : "A fájllista ellenőrzése zajlik, kis türelmet!", diff --git a/apps/files/l10n/hu_HU.json b/apps/files/l10n/hu_HU.json index 608f734d274..7719bb5f655 100644 --- a/apps/files/l10n/hu_HU.json +++ b/apps/files/l10n/hu_HU.json @@ -50,6 +50,7 @@ "Delete" : "Törlés", "Disconnect storage" : "Tároló leválasztása", "Unshare" : "A megosztás visszavonása", + "Download" : "Letöltés", "Select" : "Kiválaszt", "Pending" : "Folyamatban", "Error moving file." : "Hiba történt a fájl áthelyezése közben.", @@ -94,7 +95,6 @@ "Cancel upload" : "A feltöltés megszakítása", "No files yet" : "Még nincsenek fájlok", "Select all" : "Összes kijelölése", - "Download" : "Letöltés", "Upload too large" : "A feltöltés túl nagy", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "A feltöltendő állományok mérete meghaladja a kiszolgálón megengedett maximális méretet.", "Files are being scanned, please wait." : "A fájllista ellenőrzése zajlik, kis türelmet!", diff --git a/apps/files/l10n/hy.js b/apps/files/l10n/hy.js index 8aecda86282..2bc06312069 100644 --- a/apps/files/l10n/hy.js +++ b/apps/files/l10n/hy.js @@ -2,11 +2,11 @@ OC.L10N.register( "files", { "Delete" : "Ջնջել", + "Download" : "Բեռնել", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], - "Save" : "Պահպանել", - "Download" : "Բեռնել" + "Save" : "Պահպանել" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/hy.json b/apps/files/l10n/hy.json index e9e3c0206e8..523acb84610 100644 --- a/apps/files/l10n/hy.json +++ b/apps/files/l10n/hy.json @@ -1,10 +1,10 @@ { "translations": { "Delete" : "Ջնջել", + "Download" : "Բեռնել", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], - "Save" : "Պահպանել", - "Download" : "Բեռնել" + "Save" : "Պահպանել" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/ia.js b/apps/files/l10n/ia.js index 0f64b0b7793..2e33cc2760e 100644 --- a/apps/files/l10n/ia.js +++ b/apps/files/l10n/ia.js @@ -10,6 +10,7 @@ OC.L10N.register( "Home" : "Domo", "Delete" : "Deler", "Unshare" : "Leva compartir", + "Download" : "Discargar", "Error" : "Error", "Name" : "Nomine", "Size" : "Dimension", @@ -27,7 +28,6 @@ OC.L10N.register( "New folder" : "Nove dossier", "Folder" : "Dossier", "Upload" : "Incargar", - "Download" : "Discargar", "Upload too large" : "Incargamento troppo longe" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ia.json b/apps/files/l10n/ia.json index 505631a433e..86fc6256487 100644 --- a/apps/files/l10n/ia.json +++ b/apps/files/l10n/ia.json @@ -8,6 +8,7 @@ "Home" : "Domo", "Delete" : "Deler", "Unshare" : "Leva compartir", + "Download" : "Discargar", "Error" : "Error", "Name" : "Nomine", "Size" : "Dimension", @@ -25,7 +26,6 @@ "New folder" : "Nove dossier", "Folder" : "Dossier", "Upload" : "Incargar", - "Download" : "Discargar", "Upload too large" : "Incargamento troppo longe" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/id.js b/apps/files/l10n/id.js index 541e2654a0f..85353dc496c 100644 --- a/apps/files/l10n/id.js +++ b/apps/files/l10n/id.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Hapus", "Disconnect storage" : "Memutuskan penyimpaan", "Unshare" : "Batalkan berbagi", + "Download" : "Unduh", "Pending" : "Menunggu", "Error moving file." : "Kesalahan saat memindahkan berkas.", "Error moving file" : "Kesalahan saat memindahkan berkas", @@ -92,7 +93,6 @@ OC.L10N.register( "From link" : "Dari tautan", "Upload" : "Unggah", "Cancel upload" : "Batal unggah", - "Download" : "Unduh", "Upload too large" : "Yang diunggah terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Berkas yang dicoba untuk diunggah melebihi ukuran maksimum pengunggahan berkas di server ini.", "Files are being scanned, please wait." : "Berkas sedang dipindai, silakan tunggu.", diff --git a/apps/files/l10n/id.json b/apps/files/l10n/id.json index ec6174f808d..e6c66b0b124 100644 --- a/apps/files/l10n/id.json +++ b/apps/files/l10n/id.json @@ -50,6 +50,7 @@ "Delete" : "Hapus", "Disconnect storage" : "Memutuskan penyimpaan", "Unshare" : "Batalkan berbagi", + "Download" : "Unduh", "Pending" : "Menunggu", "Error moving file." : "Kesalahan saat memindahkan berkas.", "Error moving file" : "Kesalahan saat memindahkan berkas", @@ -90,7 +91,6 @@ "From link" : "Dari tautan", "Upload" : "Unggah", "Cancel upload" : "Batal unggah", - "Download" : "Unduh", "Upload too large" : "Yang diunggah terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Berkas yang dicoba untuk diunggah melebihi ukuran maksimum pengunggahan berkas di server ini.", "Files are being scanned, please wait." : "Berkas sedang dipindai, silakan tunggu.", diff --git a/apps/files/l10n/is.js b/apps/files/l10n/is.js index afca64d1b4c..cf2fcedd600 100644 --- a/apps/files/l10n/is.js +++ b/apps/files/l10n/is.js @@ -21,6 +21,7 @@ OC.L10N.register( "Rename" : "Endurskýra", "Delete" : "Eyða", "Unshare" : "Hætta deilingu", + "Download" : "Niðurhal", "Select" : "Velja", "Pending" : "Bíður", "Error" : "Villa", @@ -43,7 +44,6 @@ OC.L10N.register( "From link" : "Af tengli", "Upload" : "Senda inn", "Cancel upload" : "Hætta við innsendingu", - "Download" : "Niðurhal", "Upload too large" : "Innsend skrá er of stór", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Skrárnar sem þú ert að senda inn eru stærri en hámarks innsendingarstærð á þessum netþjóni.", "Files are being scanned, please wait." : "Verið er að skima skrár, vinsamlegast hinkraðu." diff --git a/apps/files/l10n/is.json b/apps/files/l10n/is.json index 0038ac65765..08f30a06323 100644 --- a/apps/files/l10n/is.json +++ b/apps/files/l10n/is.json @@ -19,6 +19,7 @@ "Rename" : "Endurskýra", "Delete" : "Eyða", "Unshare" : "Hætta deilingu", + "Download" : "Niðurhal", "Select" : "Velja", "Pending" : "Bíður", "Error" : "Villa", @@ -41,7 +42,6 @@ "From link" : "Af tengli", "Upload" : "Senda inn", "Cancel upload" : "Hætta við innsendingu", - "Download" : "Niðurhal", "Upload too large" : "Innsend skrá er of stór", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Skrárnar sem þú ert að senda inn eru stærri en hámarks innsendingarstærð á þessum netþjóni.", "Files are being scanned, please wait." : "Verið er að skima skrár, vinsamlegast hinkraðu." diff --git a/apps/files/l10n/it.js b/apps/files/l10n/it.js index 81ecf493afd..8ec7c4c3478 100644 --- a/apps/files/l10n/it.js +++ b/apps/files/l10n/it.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Elimina", "Disconnect storage" : "Disconnetti archiviazione", "Unshare" : "Rimuovi condivisione", + "Download" : "Scarica", "Select" : "Seleziona", "Pending" : "In corso", "Unable to determine date" : "Impossibile determinare la data", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Chiave privata non valida per l'applicazione di cifratura. Aggiorna la password della chiave privata nelle impostazioni personali per ripristinare l'accesso ai tuoi file cifrati.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "La cifratura è stata disabilitata ma i tuoi file sono ancora cifrati. Vai nelle impostazioni personali per decifrare i file.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["corrispondono a '{filter}'","corrisponde a '{filter}'"], "{dirs} and {files}" : "{dirs} e {files}", "Favorited" : "Preferiti", "Favorite" : "Preferito", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Carica alcuni contenuti o sincronizza con i tuoi dispositivi!", "No entries found in this folder" : "Nessuna voce trovata in questa cartella", "Select all" : "Seleziona tutto", - "Download" : "Scarica", "Upload too large" : "Caricamento troppo grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "I file che stai provando a caricare superano la dimensione massima consentita su questo server.", "Files are being scanned, please wait." : "Scansione dei file in corso, attendi", diff --git a/apps/files/l10n/it.json b/apps/files/l10n/it.json index f291a5376eb..44dcc27c8a9 100644 --- a/apps/files/l10n/it.json +++ b/apps/files/l10n/it.json @@ -50,6 +50,7 @@ "Delete" : "Elimina", "Disconnect storage" : "Disconnetti archiviazione", "Unshare" : "Rimuovi condivisione", + "Download" : "Scarica", "Select" : "Seleziona", "Pending" : "In corso", "Unable to determine date" : "Impossibile determinare la data", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Chiave privata non valida per l'applicazione di cifratura. Aggiorna la password della chiave privata nelle impostazioni personali per ripristinare l'accesso ai tuoi file cifrati.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "La cifratura è stata disabilitata ma i tuoi file sono ancora cifrati. Vai nelle impostazioni personali per decifrare i file.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["corrispondono a '{filter}'","corrisponde a '{filter}'"], "{dirs} and {files}" : "{dirs} e {files}", "Favorited" : "Preferiti", "Favorite" : "Preferito", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Carica alcuni contenuti o sincronizza con i tuoi dispositivi!", "No entries found in this folder" : "Nessuna voce trovata in questa cartella", "Select all" : "Seleziona tutto", - "Download" : "Scarica", "Upload too large" : "Caricamento troppo grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "I file che stai provando a caricare superano la dimensione massima consentita su questo server.", "Files are being scanned, please wait." : "Scansione dei file in corso, attendi", diff --git a/apps/files/l10n/ja.js b/apps/files/l10n/ja.js index ded0ac41b1b..73acf36ae75 100644 --- a/apps/files/l10n/ja.js +++ b/apps/files/l10n/ja.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "削除", "Disconnect storage" : "ストレージを切断する", "Unshare" : "共有解除", + "Download" : "ダウンロード", "Select" : "選択", "Pending" : "中断", "Unable to determine date" : "更新日不明", @@ -99,7 +100,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "何かコンテンツをアップロードするか、デバイスからファイルを同期してください。", "No entries found in this folder" : "このフォルダーにはエントリーがありません", "Select all" : "すべて選択", - "Download" : "ダウンロード", "Upload too large" : "アップロードには大きすぎます。", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "アップロードしようとしているファイルは、サーバーで規定された最大サイズを超えています。", "Files are being scanned, please wait." : "ファイルをスキャンしています、しばらくお待ちください。", diff --git a/apps/files/l10n/ja.json b/apps/files/l10n/ja.json index 4044fe8311e..586d5244c19 100644 --- a/apps/files/l10n/ja.json +++ b/apps/files/l10n/ja.json @@ -50,6 +50,7 @@ "Delete" : "削除", "Disconnect storage" : "ストレージを切断する", "Unshare" : "共有解除", + "Download" : "ダウンロード", "Select" : "選択", "Pending" : "中断", "Unable to determine date" : "更新日不明", @@ -97,7 +98,6 @@ "Upload some content or sync with your devices!" : "何かコンテンツをアップロードするか、デバイスからファイルを同期してください。", "No entries found in this folder" : "このフォルダーにはエントリーがありません", "Select all" : "すべて選択", - "Download" : "ダウンロード", "Upload too large" : "アップロードには大きすぎます。", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "アップロードしようとしているファイルは、サーバーで規定された最大サイズを超えています。", "Files are being scanned, please wait." : "ファイルをスキャンしています、しばらくお待ちください。", diff --git a/apps/files/l10n/ka_GE.js b/apps/files/l10n/ka_GE.js index 3b7e54615bd..bc9d78184f8 100644 --- a/apps/files/l10n/ka_GE.js +++ b/apps/files/l10n/ka_GE.js @@ -25,6 +25,7 @@ OC.L10N.register( "Rename" : "გადარქმევა", "Delete" : "წაშლა", "Unshare" : "გაუზიარებადი", + "Download" : "ჩამოტვირთვა", "Pending" : "მოცდის რეჟიმში", "Error" : "შეცდომა", "Name" : "სახელი", @@ -50,7 +51,6 @@ OC.L10N.register( "From link" : "მისამართიდან", "Upload" : "ატვირთვა", "Cancel upload" : "ატვირთვის გაუქმება", - "Download" : "ჩამოტვირთვა", "Upload too large" : "ასატვირთი ფაილი ძალიან დიდია", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ფაილის ზომა რომლის ატვირთვასაც თქვენ აპირებთ, აჭარბებს სერვერზე დაშვებულ მაქსიმუმს.", "Files are being scanned, please wait." : "მიმდინარეობს ფაილების სკანირება, გთხოვთ დაელოდოთ." diff --git a/apps/files/l10n/ka_GE.json b/apps/files/l10n/ka_GE.json index 9503a3fbc51..1cc9611c4e3 100644 --- a/apps/files/l10n/ka_GE.json +++ b/apps/files/l10n/ka_GE.json @@ -23,6 +23,7 @@ "Rename" : "გადარქმევა", "Delete" : "წაშლა", "Unshare" : "გაუზიარებადი", + "Download" : "ჩამოტვირთვა", "Pending" : "მოცდის რეჟიმში", "Error" : "შეცდომა", "Name" : "სახელი", @@ -48,7 +49,6 @@ "From link" : "მისამართიდან", "Upload" : "ატვირთვა", "Cancel upload" : "ატვირთვის გაუქმება", - "Download" : "ჩამოტვირთვა", "Upload too large" : "ასატვირთი ფაილი ძალიან დიდია", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ფაილის ზომა რომლის ატვირთვასაც თქვენ აპირებთ, აჭარბებს სერვერზე დაშვებულ მაქსიმუმს.", "Files are being scanned, please wait." : "მიმდინარეობს ფაილების სკანირება, გთხოვთ დაელოდოთ." diff --git a/apps/files/l10n/km.js b/apps/files/l10n/km.js index 34a2ee15bb1..8307b49835c 100644 --- a/apps/files/l10n/km.js +++ b/apps/files/l10n/km.js @@ -14,6 +14,7 @@ OC.L10N.register( "Rename" : "ប្ដូរឈ្មោះ", "Delete" : "លុប", "Unshare" : "លែងចែករំលែក", + "Download" : "ទាញយក", "Pending" : "កំពុងរង់ចាំ", "Error" : "កំហុស", "Name" : "ឈ្មោះ", @@ -34,7 +35,6 @@ OC.L10N.register( "From link" : "ពីតំណ", "Upload" : "ផ្ទុកឡើង", "Cancel upload" : "បោះបង់ការផ្ទុកឡើង", - "Download" : "ទាញយក", "Upload too large" : "ផ្ទុកឡើងធំពេក" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/km.json b/apps/files/l10n/km.json index 8c8eb9bb6d9..babae7a1a8d 100644 --- a/apps/files/l10n/km.json +++ b/apps/files/l10n/km.json @@ -12,6 +12,7 @@ "Rename" : "ប្ដូរឈ្មោះ", "Delete" : "លុប", "Unshare" : "លែងចែករំលែក", + "Download" : "ទាញយក", "Pending" : "កំពុងរង់ចាំ", "Error" : "កំហុស", "Name" : "ឈ្មោះ", @@ -32,7 +33,6 @@ "From link" : "ពីតំណ", "Upload" : "ផ្ទុកឡើង", "Cancel upload" : "បោះបង់ការផ្ទុកឡើង", - "Download" : "ទាញយក", "Upload too large" : "ផ្ទុកឡើងធំពេក" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/kn.js b/apps/files/l10n/kn.js index cdc1c8f413b..8888f4470a5 100644 --- a/apps/files/l10n/kn.js +++ b/apps/files/l10n/kn.js @@ -43,6 +43,7 @@ OC.L10N.register( "Delete" : "ಅಳಿಸಿ", "Disconnect storage" : "ಸಂಗ್ರಹ ಸಾಧನವನ್ನು ತೆಗೆದುಹಾಕಿ", "Unshare" : "ಹಂಚಿಕೆಯನ್ನು ಹಿಂತೆಗೆ", + "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ", "Select" : "ಆಯ್ಕೆ ಮಾಡಿ", "Pending" : "ಬಾಕಿ ಇದೆ", "Unable to determine date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕ ನಿರ್ಧರಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", @@ -78,7 +79,6 @@ OC.L10N.register( "Cancel upload" : "ವರ್ಗಾವಣೆ ರದ್ದು ಮಾಡಿ", "No files yet" : "ಇನ್ನೂ ಯಾವುದೇ ಕಡತಗಳು ಇಲ್ಲಿಲ", "Select all" : "ಎಲ್ಲಾ ಆಯ್ಕೆ ಮಾಡಿ", - "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ", "Upload too large" : "ದೊಡ್ಡ ಪ್ರಮಾಣದ ಪ್ರತಿಗಳನ್ನು ವರ್ಗಾವಣೆ ಮಾಡಲು ಸಾದ್ಯವಿಲ್ಲ", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ನೀವು ವರ್ಗಾಯಿಸಲು ಪ್ರಯತ್ನಿಸುತ್ತಿರುವ ಕಡತಗಳ ಗಾತ್ರ, ಈ ಗಣಕ ಕೋಶದ ಗರಿಷ್ಠ ಕಡತ ಮೀತಿಯಾನ್ನು ಮೀರುವಂತಿಲ್ಲ.", "Files are being scanned, please wait." : "ಕಡತಗಳನ್ನು ಪರೀಕ್ಷಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ.", diff --git a/apps/files/l10n/kn.json b/apps/files/l10n/kn.json index 273c4c1b997..c3644c270f8 100644 --- a/apps/files/l10n/kn.json +++ b/apps/files/l10n/kn.json @@ -41,6 +41,7 @@ "Delete" : "ಅಳಿಸಿ", "Disconnect storage" : "ಸಂಗ್ರಹ ಸಾಧನವನ್ನು ತೆಗೆದುಹಾಕಿ", "Unshare" : "ಹಂಚಿಕೆಯನ್ನು ಹಿಂತೆಗೆ", + "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ", "Select" : "ಆಯ್ಕೆ ಮಾಡಿ", "Pending" : "ಬಾಕಿ ಇದೆ", "Unable to determine date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕ ನಿರ್ಧರಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", @@ -76,7 +77,6 @@ "Cancel upload" : "ವರ್ಗಾವಣೆ ರದ್ದು ಮಾಡಿ", "No files yet" : "ಇನ್ನೂ ಯಾವುದೇ ಕಡತಗಳು ಇಲ್ಲಿಲ", "Select all" : "ಎಲ್ಲಾ ಆಯ್ಕೆ ಮಾಡಿ", - "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ", "Upload too large" : "ದೊಡ್ಡ ಪ್ರಮಾಣದ ಪ್ರತಿಗಳನ್ನು ವರ್ಗಾವಣೆ ಮಾಡಲು ಸಾದ್ಯವಿಲ್ಲ", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ನೀವು ವರ್ಗಾಯಿಸಲು ಪ್ರಯತ್ನಿಸುತ್ತಿರುವ ಕಡತಗಳ ಗಾತ್ರ, ಈ ಗಣಕ ಕೋಶದ ಗರಿಷ್ಠ ಕಡತ ಮೀತಿಯಾನ್ನು ಮೀರುವಂತಿಲ್ಲ.", "Files are being scanned, please wait." : "ಕಡತಗಳನ್ನು ಪರೀಕ್ಷಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ.", diff --git a/apps/files/l10n/ko.js b/apps/files/l10n/ko.js index 39bfcf609ea..c9b880f46ec 100644 --- a/apps/files/l10n/ko.js +++ b/apps/files/l10n/ko.js @@ -42,6 +42,7 @@ OC.L10N.register( "Rename" : "이름 바꾸기", "Delete" : "삭제", "Unshare" : "공유 해제", + "Download" : "다운로드", "Select" : "선택", "Pending" : "대기 중", "Error moving file" : "파일 이동 오류", @@ -79,7 +80,6 @@ OC.L10N.register( "From link" : "링크에서", "Upload" : "업로드", "Cancel upload" : "업로드 취소", - "Download" : "다운로드", "Upload too large" : "업로드한 파일이 너무 큼", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "이 파일이 서버에서 허용하는 최대 업로드 가능 용량보다 큽니다.", "Files are being scanned, please wait." : "파일을 검색하고 있습니다. 기다려 주십시오." diff --git a/apps/files/l10n/ko.json b/apps/files/l10n/ko.json index 95122200c46..b15f552dcf8 100644 --- a/apps/files/l10n/ko.json +++ b/apps/files/l10n/ko.json @@ -40,6 +40,7 @@ "Rename" : "이름 바꾸기", "Delete" : "삭제", "Unshare" : "공유 해제", + "Download" : "다운로드", "Select" : "선택", "Pending" : "대기 중", "Error moving file" : "파일 이동 오류", @@ -77,7 +78,6 @@ "From link" : "링크에서", "Upload" : "업로드", "Cancel upload" : "업로드 취소", - "Download" : "다운로드", "Upload too large" : "업로드한 파일이 너무 큼", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "이 파일이 서버에서 허용하는 최대 업로드 가능 용량보다 큽니다.", "Files are being scanned, please wait." : "파일을 검색하고 있습니다. 기다려 주십시오." diff --git a/apps/files/l10n/ku_IQ.js b/apps/files/l10n/ku_IQ.js index 4650250a36d..1c4456a680e 100644 --- a/apps/files/l10n/ku_IQ.js +++ b/apps/files/l10n/ku_IQ.js @@ -2,6 +2,7 @@ OC.L10N.register( "files", { "Files" : "پهڕگەکان", + "Download" : "داگرتن", "Select" : "دیاریکردنی", "Error" : "ههڵه", "Name" : "ناو", @@ -12,7 +13,6 @@ OC.L10N.register( "Save" : "پاشکهوتکردن", "Settings" : "ڕێکخستنهکان", "Folder" : "بوخچه", - "Upload" : "بارکردن", - "Download" : "داگرتن" + "Upload" : "بارکردن" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ku_IQ.json b/apps/files/l10n/ku_IQ.json index ec857007815..19e0192db39 100644 --- a/apps/files/l10n/ku_IQ.json +++ b/apps/files/l10n/ku_IQ.json @@ -1,5 +1,6 @@ { "translations": { "Files" : "پهڕگەکان", + "Download" : "داگرتن", "Select" : "دیاریکردنی", "Error" : "ههڵه", "Name" : "ناو", @@ -10,7 +11,6 @@ "Save" : "پاشکهوتکردن", "Settings" : "ڕێکخستنهکان", "Folder" : "بوخچه", - "Upload" : "بارکردن", - "Download" : "داگرتن" + "Upload" : "بارکردن" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/lb.js b/apps/files/l10n/lb.js index 9db0637560e..3ac56261ca3 100644 --- a/apps/files/l10n/lb.js +++ b/apps/files/l10n/lb.js @@ -16,6 +16,7 @@ OC.L10N.register( "Rename" : "Ëm-benennen", "Delete" : "Läschen", "Unshare" : "Net méi deelen", + "Download" : "Download", "Select" : "Auswielen", "Error" : "Fehler", "Name" : "Numm", @@ -35,7 +36,6 @@ OC.L10N.register( "Folder" : "Dossier", "Upload" : "Eroplueden", "Cancel upload" : "Upload ofbriechen", - "Download" : "Download", "Upload too large" : "Upload ze grouss", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Déi Dateien déi Dir probéiert erop ze lueden sinn méi grouss wei déi Maximal Gréisst déi op dësem Server erlaabt ass.", "Files are being scanned, please wait." : "Fichieren gi gescannt, war weg." diff --git a/apps/files/l10n/lb.json b/apps/files/l10n/lb.json index 80512f7b5ec..c7c3b31fb32 100644 --- a/apps/files/l10n/lb.json +++ b/apps/files/l10n/lb.json @@ -14,6 +14,7 @@ "Rename" : "Ëm-benennen", "Delete" : "Läschen", "Unshare" : "Net méi deelen", + "Download" : "Download", "Select" : "Auswielen", "Error" : "Fehler", "Name" : "Numm", @@ -33,7 +34,6 @@ "Folder" : "Dossier", "Upload" : "Eroplueden", "Cancel upload" : "Upload ofbriechen", - "Download" : "Download", "Upload too large" : "Upload ze grouss", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Déi Dateien déi Dir probéiert erop ze lueden sinn méi grouss wei déi Maximal Gréisst déi op dësem Server erlaabt ass.", "Files are being scanned, please wait." : "Fichieren gi gescannt, war weg." diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index 5223bb2388d..89301e1eec8 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Ištrinti", "Disconnect storage" : "Atjungti saugyklą", "Unshare" : "Nebesidalinti", + "Download" : "Atsisiųsti", "Select" : "Pasirinkiti", "Pending" : "Laukiantis", "Unable to determine date" : "Nepavyksta nustatyti datos", @@ -98,7 +99,6 @@ OC.L10N.register( "No files yet" : "Dar nėra failų", "Upload some content or sync with your devices!" : "Įkelkite kokį nors turinį, arba sinchronizuokite su savo įrenginiais!", "Select all" : "Pažymėti viską", - "Download" : "Atsisiųsti", "Upload too large" : "Įkėlimui failas per didelis", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Bandomų įkelti failų dydis viršija maksimalų, kuris leidžiamas šiame serveryje", "Files are being scanned, please wait." : "Skenuojami failai, prašome palaukti.", diff --git a/apps/files/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index d2c5cb6049a..d9029085eac 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -50,6 +50,7 @@ "Delete" : "Ištrinti", "Disconnect storage" : "Atjungti saugyklą", "Unshare" : "Nebesidalinti", + "Download" : "Atsisiųsti", "Select" : "Pasirinkiti", "Pending" : "Laukiantis", "Unable to determine date" : "Nepavyksta nustatyti datos", @@ -96,7 +97,6 @@ "No files yet" : "Dar nėra failų", "Upload some content or sync with your devices!" : "Įkelkite kokį nors turinį, arba sinchronizuokite su savo įrenginiais!", "Select all" : "Pažymėti viską", - "Download" : "Atsisiųsti", "Upload too large" : "Įkėlimui failas per didelis", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Bandomų įkelti failų dydis viršija maksimalų, kuris leidžiamas šiame serveryje", "Files are being scanned, please wait." : "Skenuojami failai, prašome palaukti.", diff --git a/apps/files/l10n/lv.js b/apps/files/l10n/lv.js index 93ec448ce3b..3dc666bfbcb 100644 --- a/apps/files/l10n/lv.js +++ b/apps/files/l10n/lv.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Dzēst", "Disconnect storage" : "Atvienot krātuvi", "Unshare" : "Pārtraukt dalīšanos", + "Download" : "Lejupielādēt", "Select" : "Norādīt", "Pending" : "Gaida savu kārtu", "Unable to determine date" : "Neizdevās noteikt datumu", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Augšupielādē kaut ko vai sinhronizē saturu ar savām ierīcēm!", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", "Select all" : "Atzīmēt visu", - "Download" : "Lejupielādēt", "Upload too large" : "Datne ir par lielu, lai to augšupielādētu", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Augšupielādējamās datnes pārsniedz servera pieļaujamo datņu augšupielādes apjomu", "Files are being scanned, please wait." : "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet.", diff --git a/apps/files/l10n/lv.json b/apps/files/l10n/lv.json index 6dba66f6960..0a09bc6cd19 100644 --- a/apps/files/l10n/lv.json +++ b/apps/files/l10n/lv.json @@ -50,6 +50,7 @@ "Delete" : "Dzēst", "Disconnect storage" : "Atvienot krātuvi", "Unshare" : "Pārtraukt dalīšanos", + "Download" : "Lejupielādēt", "Select" : "Norādīt", "Pending" : "Gaida savu kārtu", "Unable to determine date" : "Neizdevās noteikt datumu", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Augšupielādē kaut ko vai sinhronizē saturu ar savām ierīcēm!", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", "Select all" : "Atzīmēt visu", - "Download" : "Lejupielādēt", "Upload too large" : "Datne ir par lielu, lai to augšupielādētu", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Augšupielādējamās datnes pārsniedz servera pieļaujamo datņu augšupielādes apjomu", "Files are being scanned, please wait." : "Datnes šobrīd tiek caurskatītas, lūdzu, uzgaidiet.", diff --git a/apps/files/l10n/mk.js b/apps/files/l10n/mk.js index cc4d63abc2c..3e73a634bd1 100644 --- a/apps/files/l10n/mk.js +++ b/apps/files/l10n/mk.js @@ -37,6 +37,7 @@ OC.L10N.register( "Rename" : "Преименувај", "Delete" : "Избриши", "Unshare" : "Не споделувај", + "Download" : "Преземи", "Select" : "Избери", "Pending" : "Чека", "Error moving file" : "Грешка при префрлање на датотека", @@ -66,7 +67,6 @@ OC.L10N.register( "From link" : "Од врска", "Upload" : "Подигни", "Cancel upload" : "Откажи прикачување", - "Download" : "Преземи", "Upload too large" : "Фајлот кој се вчитува е преголем", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Датотеките кои се обидувате да ги подигнете ја надминуваат максималната големина за подигнување датотеки на овој сервер.", "Files are being scanned, please wait." : "Се скенираат датотеки, ве молам почекајте." diff --git a/apps/files/l10n/mk.json b/apps/files/l10n/mk.json index 6cf7b677bd1..57f8161f94b 100644 --- a/apps/files/l10n/mk.json +++ b/apps/files/l10n/mk.json @@ -35,6 +35,7 @@ "Rename" : "Преименувај", "Delete" : "Избриши", "Unshare" : "Не споделувај", + "Download" : "Преземи", "Select" : "Избери", "Pending" : "Чека", "Error moving file" : "Грешка при префрлање на датотека", @@ -64,7 +65,6 @@ "From link" : "Од врска", "Upload" : "Подигни", "Cancel upload" : "Откажи прикачување", - "Download" : "Преземи", "Upload too large" : "Фајлот кој се вчитува е преголем", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Датотеките кои се обидувате да ги подигнете ја надминуваат максималната големина за подигнување датотеки на овој сервер.", "Files are being scanned, please wait." : "Се скенираат датотеки, ве молам почекајте." diff --git a/apps/files/l10n/ms_MY.js b/apps/files/l10n/ms_MY.js index 8c85d6ced0d..e042aff7965 100644 --- a/apps/files/l10n/ms_MY.js +++ b/apps/files/l10n/ms_MY.js @@ -13,6 +13,7 @@ OC.L10N.register( "Upload cancelled." : "Muatnaik dibatalkan.", "Rename" : "Namakan", "Delete" : "Padam", + "Download" : "Muat turun", "Pending" : "Dalam proses", "Error" : "Ralat", "Name" : "Nama", @@ -32,7 +33,6 @@ OC.L10N.register( "Folder" : "Folder", "Upload" : "Muat naik", "Cancel upload" : "Batal muat naik", - "Download" : "Muat turun", "Upload too large" : "Muatnaik terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fail yang cuba dimuat naik melebihi saiz maksimum fail upload server", "Files are being scanned, please wait." : "Fail sedang diimbas, harap bersabar." diff --git a/apps/files/l10n/ms_MY.json b/apps/files/l10n/ms_MY.json index 68c6c424bb7..5a2a66a89de 100644 --- a/apps/files/l10n/ms_MY.json +++ b/apps/files/l10n/ms_MY.json @@ -11,6 +11,7 @@ "Upload cancelled." : "Muatnaik dibatalkan.", "Rename" : "Namakan", "Delete" : "Padam", + "Download" : "Muat turun", "Pending" : "Dalam proses", "Error" : "Ralat", "Name" : "Nama", @@ -30,7 +31,6 @@ "Folder" : "Folder", "Upload" : "Muat naik", "Cancel upload" : "Batal muat naik", - "Download" : "Muat turun", "Upload too large" : "Muatnaik terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fail yang cuba dimuat naik melebihi saiz maksimum fail upload server", "Files are being scanned, please wait." : "Fail sedang diimbas, harap bersabar." diff --git a/apps/files/l10n/my_MM.js b/apps/files/l10n/my_MM.js index 315a684a598..125331cf254 100644 --- a/apps/files/l10n/my_MM.js +++ b/apps/files/l10n/my_MM.js @@ -2,10 +2,10 @@ OC.L10N.register( "files", { "Files" : "ဖိုင်များ", + "Download" : "ဒေါင်းလုတ်", "_%n folder_::_%n folders_" : [""], "_%n file_::_%n files_" : [""], "_Uploading %n file_::_Uploading %n files_" : [""], - "_matches '{filter}'_::_match '{filter}'_" : [""], - "Download" : "ဒေါင်းလုတ်" + "_matches '{filter}'_::_match '{filter}'_" : [""] }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/my_MM.json b/apps/files/l10n/my_MM.json index cf92c3d6670..8bbfdf6ed1f 100644 --- a/apps/files/l10n/my_MM.json +++ b/apps/files/l10n/my_MM.json @@ -1,9 +1,9 @@ { "translations": { "Files" : "ဖိုင်များ", + "Download" : "ဒေါင်းလုတ်", "_%n folder_::_%n folders_" : [""], "_%n file_::_%n files_" : [""], "_Uploading %n file_::_Uploading %n files_" : [""], - "_matches '{filter}'_::_match '{filter}'_" : [""], - "Download" : "ဒေါင်းလုတ်" + "_matches '{filter}'_::_match '{filter}'_" : [""] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/nb_NO.js b/apps/files/l10n/nb_NO.js index adfd6e03633..a528ba4542b 100644 --- a/apps/files/l10n/nb_NO.js +++ b/apps/files/l10n/nb_NO.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Slett", "Disconnect storage" : "Koble fra lagring", "Unshare" : "Avslutt deling", + "Download" : "Last ned", "Select" : "Velg", "Pending" : "Ventende", "Unable to determine date" : "Kan ikke fastslå datoen", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Last opp noe innhold eller synkroniser med enhetene dine!", "No entries found in this folder" : "Ingen oppføringer funnet i denne mappen", "Select all" : "Velg alle", - "Download" : "Last ned", "Upload too large" : "Filen er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filene du prøver å laste opp er for store for å laste opp til denne serveren.", "Files are being scanned, please wait." : "Skanner filer, vennligst vent.", diff --git a/apps/files/l10n/nb_NO.json b/apps/files/l10n/nb_NO.json index ccacb8bb0dd..c3957977e3b 100644 --- a/apps/files/l10n/nb_NO.json +++ b/apps/files/l10n/nb_NO.json @@ -50,6 +50,7 @@ "Delete" : "Slett", "Disconnect storage" : "Koble fra lagring", "Unshare" : "Avslutt deling", + "Download" : "Last ned", "Select" : "Velg", "Pending" : "Ventende", "Unable to determine date" : "Kan ikke fastslå datoen", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Last opp noe innhold eller synkroniser med enhetene dine!", "No entries found in this folder" : "Ingen oppføringer funnet i denne mappen", "Select all" : "Velg alle", - "Download" : "Last ned", "Upload too large" : "Filen er for stor", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filene du prøver å laste opp er for store for å laste opp til denne serveren.", "Files are being scanned, please wait." : "Skanner filer, vennligst vent.", diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index 5995ac5ddce..d6c654608db 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Verwijderen", "Disconnect storage" : "Verbinding met opslag verbreken", "Unshare" : "Stop met delen", + "Download" : "Downloaden", "Select" : "Selecteer", "Pending" : "In behandeling", "Unable to determine date" : "Kon datum niet vaststellen", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is geactiveerd, maar uw sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ongeldige privésleutel voor crypto app. Werk het privésleutel wachtwoord bij in uw persoonlijke instellingen om opnieuw toegang te krijgen tot uw versleutelde bestanden.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Encryptie is uitgeschakeld maar uw bestanden zijn nog steeds versleuteld. Ga naar uw persoonlijke instellingen om uw bestanden te decoderen.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["komt overeen met '{filter}'","komen overeen met '{filter}'"], "{dirs} and {files}" : "{dirs} en {files}", "Favorited" : "Favoriet", "Favorite" : "Favoriet", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Upload bestanden of synchroniseer met uw apparaten!", "No entries found in this folder" : "Niets", "Select all" : "Alles selecteren", - "Download" : "Downloaden", "Upload too large" : "Upload is te groot", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "De bestanden die u probeert te uploaden zijn groter dan de maximaal toegestane bestandsgrootte voor deze server.", "Files are being scanned, please wait." : "Bestanden worden gescand, even wachten.", diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index a757c449d13..d3e22bbdaa1 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -50,6 +50,7 @@ "Delete" : "Verwijderen", "Disconnect storage" : "Verbinding met opslag verbreken", "Unshare" : "Stop met delen", + "Download" : "Downloaden", "Select" : "Selecteer", "Pending" : "In behandeling", "Unable to determine date" : "Kon datum niet vaststellen", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is geactiveerd, maar uw sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Ongeldige privésleutel voor crypto app. Werk het privésleutel wachtwoord bij in uw persoonlijke instellingen om opnieuw toegang te krijgen tot uw versleutelde bestanden.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Encryptie is uitgeschakeld maar uw bestanden zijn nog steeds versleuteld. Ga naar uw persoonlijke instellingen om uw bestanden te decoderen.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["komt overeen met '{filter}'","komen overeen met '{filter}'"], "{dirs} and {files}" : "{dirs} en {files}", "Favorited" : "Favoriet", "Favorite" : "Favoriet", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Upload bestanden of synchroniseer met uw apparaten!", "No entries found in this folder" : "Niets", "Select all" : "Alles selecteren", - "Download" : "Downloaden", "Upload too large" : "Upload is te groot", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "De bestanden die u probeert te uploaden zijn groter dan de maximaal toegestane bestandsgrootte voor deze server.", "Files are being scanned, please wait." : "Bestanden worden gescand, even wachten.", diff --git a/apps/files/l10n/nn_NO.js b/apps/files/l10n/nn_NO.js index f5a2adfd878..b7f217e0627 100644 --- a/apps/files/l10n/nn_NO.js +++ b/apps/files/l10n/nn_NO.js @@ -31,6 +31,7 @@ OC.L10N.register( "Rename" : "Endra namn", "Delete" : "Slett", "Unshare" : "Udel", + "Download" : "Last ned", "Pending" : "Under vegs", "Error moving file" : "Feil ved flytting av fil", "Error" : "Feil", @@ -60,7 +61,6 @@ OC.L10N.register( "From link" : "Frå lenkje", "Upload" : "Last opp", "Cancel upload" : "Avbryt opplasting", - "Download" : "Last ned", "Upload too large" : "For stor opplasting", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filene du prøver å lasta opp er større enn maksgrensa til denne tenaren.", "Files are being scanned, please wait." : "Skannar filer, ver venleg og vent." diff --git a/apps/files/l10n/nn_NO.json b/apps/files/l10n/nn_NO.json index e30213b7fd1..49a8812db19 100644 --- a/apps/files/l10n/nn_NO.json +++ b/apps/files/l10n/nn_NO.json @@ -29,6 +29,7 @@ "Rename" : "Endra namn", "Delete" : "Slett", "Unshare" : "Udel", + "Download" : "Last ned", "Pending" : "Under vegs", "Error moving file" : "Feil ved flytting av fil", "Error" : "Feil", @@ -58,7 +59,6 @@ "From link" : "Frå lenkje", "Upload" : "Last opp", "Cancel upload" : "Avbryt opplasting", - "Download" : "Last ned", "Upload too large" : "For stor opplasting", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filene du prøver å lasta opp er større enn maksgrensa til denne tenaren.", "Files are being scanned, please wait." : "Skannar filer, ver venleg og vent." diff --git a/apps/files/l10n/oc.js b/apps/files/l10n/oc.js index ac6b1b3176c..8184a10648e 100644 --- a/apps/files/l10n/oc.js +++ b/apps/files/l10n/oc.js @@ -13,6 +13,7 @@ OC.L10N.register( "Rename" : "Torna nomenar", "Delete" : "Escafa", "Unshare" : "Pas partejador", + "Download" : "Avalcarga", "Pending" : "Al esperar", "Error" : "Error", "Name" : "Nom", @@ -32,7 +33,6 @@ OC.L10N.register( "Folder" : "Dorsièr", "Upload" : "Amontcarga", "Cancel upload" : " Anulla l'amontcargar", - "Download" : "Avalcarga", "Upload too large" : "Amontcargament tròp gròs", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los fichièrs que sias a amontcargar son tròp pesucs per la talha maxi pel servidor.", "Files are being scanned, please wait." : "Los fiichièrs son a èsser explorats, " diff --git a/apps/files/l10n/oc.json b/apps/files/l10n/oc.json index f2a6c8493e3..cd00ba6bfd2 100644 --- a/apps/files/l10n/oc.json +++ b/apps/files/l10n/oc.json @@ -11,6 +11,7 @@ "Rename" : "Torna nomenar", "Delete" : "Escafa", "Unshare" : "Pas partejador", + "Download" : "Avalcarga", "Pending" : "Al esperar", "Error" : "Error", "Name" : "Nom", @@ -30,7 +31,6 @@ "Folder" : "Dorsièr", "Upload" : "Amontcarga", "Cancel upload" : " Anulla l'amontcargar", - "Download" : "Avalcarga", "Upload too large" : "Amontcargament tròp gròs", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Los fichièrs que sias a amontcargar son tròp pesucs per la talha maxi pel servidor.", "Files are being scanned, please wait." : "Los fiichièrs son a èsser explorats, " diff --git a/apps/files/l10n/pa.js b/apps/files/l10n/pa.js index d73d5ce6f33..1c89c64ce8f 100644 --- a/apps/files/l10n/pa.js +++ b/apps/files/l10n/pa.js @@ -5,6 +5,7 @@ OC.L10N.register( "Files" : "ਫਾਇਲਾਂ", "Rename" : "ਨਾਂ ਬਦਲੋ", "Delete" : "ਹਟਾਓ", + "Download" : "ਡਾਊਨਲੋਡ", "Error" : "ਗਲਤੀ", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], @@ -12,7 +13,6 @@ OC.L10N.register( "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Settings" : "ਸੈਟਿੰਗ", "Upload" : "ਅੱਪਲੋਡ", - "Cancel upload" : "ਅੱਪਲੋਡ ਰੱਦ ਕਰੋ", - "Download" : "ਡਾਊਨਲੋਡ" + "Cancel upload" : "ਅੱਪਲੋਡ ਰੱਦ ਕਰੋ" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/pa.json b/apps/files/l10n/pa.json index 07db677e19c..d94ef7f3317 100644 --- a/apps/files/l10n/pa.json +++ b/apps/files/l10n/pa.json @@ -3,6 +3,7 @@ "Files" : "ਫਾਇਲਾਂ", "Rename" : "ਨਾਂ ਬਦਲੋ", "Delete" : "ਹਟਾਓ", + "Download" : "ਡਾਊਨਲੋਡ", "Error" : "ਗਲਤੀ", "_%n folder_::_%n folders_" : ["",""], "_%n file_::_%n files_" : ["",""], @@ -10,7 +11,6 @@ "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Settings" : "ਸੈਟਿੰਗ", "Upload" : "ਅੱਪਲੋਡ", - "Cancel upload" : "ਅੱਪਲੋਡ ਰੱਦ ਕਰੋ", - "Download" : "ਡਾਊਨਲੋਡ" + "Cancel upload" : "ਅੱਪਲੋਡ ਰੱਦ ਕਰੋ" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/pl.js b/apps/files/l10n/pl.js index 155eaf30ea0..1c30ccf2f81 100644 --- a/apps/files/l10n/pl.js +++ b/apps/files/l10n/pl.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Usuń", "Disconnect storage" : "Odłącz magazyn", "Unshare" : "Zatrzymaj współdzielenie", + "Download" : "Pobierz", "Select" : "Wybierz", "Pending" : "Oczekujące", "Error moving file." : "Błąd podczas przenoszenia pliku.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "Z odnośnika", "Upload" : "Wyślij", "Cancel upload" : "Anuluj wysyłanie", - "Download" : "Pobierz", "Upload too large" : "Ładowany plik jest za duży", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Pliki, które próbujesz przesłać, przekraczają maksymalną dopuszczalną wielkość.", "Files are being scanned, please wait." : "Skanowanie plików, proszę czekać.", diff --git a/apps/files/l10n/pl.json b/apps/files/l10n/pl.json index 574113bb6f1..a72ea2e9474 100644 --- a/apps/files/l10n/pl.json +++ b/apps/files/l10n/pl.json @@ -50,6 +50,7 @@ "Delete" : "Usuń", "Disconnect storage" : "Odłącz magazyn", "Unshare" : "Zatrzymaj współdzielenie", + "Download" : "Pobierz", "Select" : "Wybierz", "Pending" : "Oczekujące", "Error moving file." : "Błąd podczas przenoszenia pliku.", @@ -91,7 +92,6 @@ "From link" : "Z odnośnika", "Upload" : "Wyślij", "Cancel upload" : "Anuluj wysyłanie", - "Download" : "Pobierz", "Upload too large" : "Ładowany plik jest za duży", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Pliki, które próbujesz przesłać, przekraczają maksymalną dopuszczalną wielkość.", "Files are being scanned, please wait." : "Skanowanie plików, proszę czekać.", diff --git a/apps/files/l10n/pt_BR.js b/apps/files/l10n/pt_BR.js index b517cb4ce15..156d8555baf 100644 --- a/apps/files/l10n/pt_BR.js +++ b/apps/files/l10n/pt_BR.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Excluir", "Disconnect storage" : "Desconectar armazenagem", "Unshare" : "Descompartilhar", + "Download" : "Baixar", "Select" : "Selecionar", "Pending" : "Pendente", "Unable to determine date" : "Impossível determinar a data", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Carregue algum conteúdo ou sincronize com seus dispositivos!", "No entries found in this folder" : "Nenhuma entrada foi encontrada nesta pasta", "Select all" : "Selecionar tudo", - "Download" : "Baixar", "Upload too large" : "Arquivo muito grande para envio", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os arquivos que você está tentando enviar excedeu o tamanho máximo para arquivos no servidor.", "Files are being scanned, please wait." : "Arquivos sendo escaneados, por favor aguarde.", diff --git a/apps/files/l10n/pt_BR.json b/apps/files/l10n/pt_BR.json index f51426eed1d..caabd009e16 100644 --- a/apps/files/l10n/pt_BR.json +++ b/apps/files/l10n/pt_BR.json @@ -50,6 +50,7 @@ "Delete" : "Excluir", "Disconnect storage" : "Desconectar armazenagem", "Unshare" : "Descompartilhar", + "Download" : "Baixar", "Select" : "Selecionar", "Pending" : "Pendente", "Unable to determine date" : "Impossível determinar a data", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Carregue algum conteúdo ou sincronize com seus dispositivos!", "No entries found in this folder" : "Nenhuma entrada foi encontrada nesta pasta", "Select all" : "Selecionar tudo", - "Download" : "Baixar", "Upload too large" : "Arquivo muito grande para envio", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os arquivos que você está tentando enviar excedeu o tamanho máximo para arquivos no servidor.", "Files are being scanned, please wait." : "Arquivos sendo escaneados, por favor aguarde.", diff --git a/apps/files/l10n/pt_PT.js b/apps/files/l10n/pt_PT.js index e51b89cdbb4..fd920a75ffa 100644 --- a/apps/files/l10n/pt_PT.js +++ b/apps/files/l10n/pt_PT.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Apagar", "Disconnect storage" : "Desconete o armazenamento", "Unshare" : "Deixar de partilhar", + "Download" : "Transferir", "Select" : "Selecionar", "Pending" : "Pendente", "Unable to determine date" : "Impossível determinar a data", @@ -94,8 +95,8 @@ OC.L10N.register( "From link" : "Da hiperligação", "Upload" : "Enviar", "Cancel upload" : "Cancelar o envio", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Seleccionar todos", - "Download" : "Transferir", "Upload too large" : "Upload muito grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiro que está a tentar enviar excedem o tamanho máximo de envio neste servidor.", "Files are being scanned, please wait." : "Os ficheiros estão a ser analisados, por favor aguarde.", diff --git a/apps/files/l10n/pt_PT.json b/apps/files/l10n/pt_PT.json index 64544cb9502..742d5349bdb 100644 --- a/apps/files/l10n/pt_PT.json +++ b/apps/files/l10n/pt_PT.json @@ -50,6 +50,7 @@ "Delete" : "Apagar", "Disconnect storage" : "Desconete o armazenamento", "Unshare" : "Deixar de partilhar", + "Download" : "Transferir", "Select" : "Selecionar", "Pending" : "Pendente", "Unable to determine date" : "Impossível determinar a data", @@ -92,8 +93,8 @@ "From link" : "Da hiperligação", "Upload" : "Enviar", "Cancel upload" : "Cancelar o envio", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Seleccionar todos", - "Download" : "Transferir", "Upload too large" : "Upload muito grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiro que está a tentar enviar excedem o tamanho máximo de envio neste servidor.", "Files are being scanned, please wait." : "Os ficheiros estão a ser analisados, por favor aguarde.", diff --git a/apps/files/l10n/ro.js b/apps/files/l10n/ro.js index 4d50f05a8b1..37f384a2dd5 100644 --- a/apps/files/l10n/ro.js +++ b/apps/files/l10n/ro.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Șterge", "Disconnect storage" : "Stocare deconectata", "Unshare" : "Anulare", + "Download" : "Descarcă", "Select" : "Selectează", "Pending" : "În așteptare", "Error moving file." : "Eroare la mutarea fișierului.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "De la adresa", "Upload" : "Încărcă", "Cancel upload" : "Anulează încărcarea", - "Download" : "Descarcă", "Upload too large" : "Fișierul încărcat este prea mare", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fișierele pe care încerci să le încarci depășesc limita de încărcare maximă admisă pe acest server.", "Files are being scanned, please wait." : "Fișierele sunt scanate, te rog așteaptă.", diff --git a/apps/files/l10n/ro.json b/apps/files/l10n/ro.json index e571e3a9219..8889e9ab8e9 100644 --- a/apps/files/l10n/ro.json +++ b/apps/files/l10n/ro.json @@ -50,6 +50,7 @@ "Delete" : "Șterge", "Disconnect storage" : "Stocare deconectata", "Unshare" : "Anulare", + "Download" : "Descarcă", "Select" : "Selectează", "Pending" : "În așteptare", "Error moving file." : "Eroare la mutarea fișierului.", @@ -91,7 +92,6 @@ "From link" : "De la adresa", "Upload" : "Încărcă", "Cancel upload" : "Anulează încărcarea", - "Download" : "Descarcă", "Upload too large" : "Fișierul încărcat este prea mare", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fișierele pe care încerci să le încarci depășesc limita de încărcare maximă admisă pe acest server.", "Files are being scanned, please wait." : "Fișierele sunt scanate, te rog așteaptă.", diff --git a/apps/files/l10n/ru.js b/apps/files/l10n/ru.js index 14db0569374..f5b0413dcd4 100644 --- a/apps/files/l10n/ru.js +++ b/apps/files/l10n/ru.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Удалить", "Disconnect storage" : "Отсоединиться от хранилища", "Unshare" : "Закрыть доступ", + "Download" : "Скачать", "Select" : "Выбрать", "Pending" : "Ожидание", "Unable to determine date" : "Невозможно определить дату", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение для шифрования активно, но ваши ключи не инициализированы, выйдите из системы и войдите вновь", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Закрытый ключ приложения шифрования недействителен. Обновите закрытый ключ в личных настройках, чтобы восстановить доступ к зашифрованным файлам.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Шифрование было отключено, но ваши файлы остались зашифрованными. Зайдите на страницу личных настроек для того, чтобы расшифровать их.", - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_matches '{filter}'_::_match '{filter}'_" : ["соответствует '{filter}'","соответствуют '{filter}'","соответствуют '{filter}'"], "{dirs} and {files}" : "{dirs} и {files}", "Favorited" : "Избранное", "Favorite" : "Избранное", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Загрузите что-нибудь или синхронизируйте со своими устройствами!", "No entries found in this folder" : "Ничего не найдено", "Select all" : "Выбрать все", - "Download" : "Скачать", "Upload too large" : "Файл слишком велик", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файлы, которые вы пытаетесь загрузить, превышают лимит максимального размера на этом сервере.", "Files are being scanned, please wait." : "Идет сканирование файлов. Пожалуйста подождите.", diff --git a/apps/files/l10n/ru.json b/apps/files/l10n/ru.json index 4f23a784f13..2c238e7ad0f 100644 --- a/apps/files/l10n/ru.json +++ b/apps/files/l10n/ru.json @@ -50,6 +50,7 @@ "Delete" : "Удалить", "Disconnect storage" : "Отсоединиться от хранилища", "Unshare" : "Закрыть доступ", + "Download" : "Скачать", "Select" : "Выбрать", "Pending" : "Ожидание", "Unable to determine date" : "Невозможно определить дату", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение для шифрования активно, но ваши ключи не инициализированы, выйдите из системы и войдите вновь", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Закрытый ключ приложения шифрования недействителен. Обновите закрытый ключ в личных настройках, чтобы восстановить доступ к зашифрованным файлам.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Шифрование было отключено, но ваши файлы остались зашифрованными. Зайдите на страницу личных настроек для того, чтобы расшифровать их.", - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_matches '{filter}'_::_match '{filter}'_" : ["соответствует '{filter}'","соответствуют '{filter}'","соответствуют '{filter}'"], "{dirs} and {files}" : "{dirs} и {files}", "Favorited" : "Избранное", "Favorite" : "Избранное", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Загрузите что-нибудь или синхронизируйте со своими устройствами!", "No entries found in this folder" : "Ничего не найдено", "Select all" : "Выбрать все", - "Download" : "Скачать", "Upload too large" : "Файл слишком велик", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файлы, которые вы пытаетесь загрузить, превышают лимит максимального размера на этом сервере.", "Files are being scanned, please wait." : "Идет сканирование файлов. Пожалуйста подождите.", diff --git a/apps/files/l10n/si_LK.js b/apps/files/l10n/si_LK.js index c0c8d370ab9..9802fc8b821 100644 --- a/apps/files/l10n/si_LK.js +++ b/apps/files/l10n/si_LK.js @@ -15,6 +15,7 @@ OC.L10N.register( "Rename" : "නැවත නම් කරන්න", "Delete" : "මකා දමන්න", "Unshare" : "නොබෙදු", + "Download" : "බාන්න", "Select" : "තෝරන්න", "Error" : "දෝෂයක්", "Name" : "නම", @@ -35,7 +36,6 @@ OC.L10N.register( "From link" : "යොමුවෙන්", "Upload" : "උඩුගත කරන්න", "Cancel upload" : "උඩුගත කිරීම අත් හරින්න", - "Download" : "බාන්න", "Upload too large" : "උඩුගත කිරීම විශාල වැඩිය", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ඔබ උඩුගත කිරීමට තැත් කරන ගොනු මෙම සේවාදායකයා උඩුගත කිරීමට ඉඩදී ඇති උපරිම ගොනු විශාලත්වයට වඩා වැඩිය", "Files are being scanned, please wait." : "ගොනු පරික්ෂා කෙරේ. මඳක් රැඳී සිටින්න" diff --git a/apps/files/l10n/si_LK.json b/apps/files/l10n/si_LK.json index 44a4d68e4aa..5a3f4574170 100644 --- a/apps/files/l10n/si_LK.json +++ b/apps/files/l10n/si_LK.json @@ -13,6 +13,7 @@ "Rename" : "නැවත නම් කරන්න", "Delete" : "මකා දමන්න", "Unshare" : "නොබෙදු", + "Download" : "බාන්න", "Select" : "තෝරන්න", "Error" : "දෝෂයක්", "Name" : "නම", @@ -33,7 +34,6 @@ "From link" : "යොමුවෙන්", "Upload" : "උඩුගත කරන්න", "Cancel upload" : "උඩුගත කිරීම අත් හරින්න", - "Download" : "බාන්න", "Upload too large" : "උඩුගත කිරීම විශාල වැඩිය", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ඔබ උඩුගත කිරීමට තැත් කරන ගොනු මෙම සේවාදායකයා උඩුගත කිරීමට ඉඩදී ඇති උපරිම ගොනු විශාලත්වයට වඩා වැඩිය", "Files are being scanned, please wait." : "ගොනු පරික්ෂා කෙරේ. මඳක් රැඳී සිටින්න" diff --git a/apps/files/l10n/sk_SK.js b/apps/files/l10n/sk_SK.js index 1918f27c187..2f3e7928e92 100644 --- a/apps/files/l10n/sk_SK.js +++ b/apps/files/l10n/sk_SK.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Zmazať", "Disconnect storage" : "Odpojiť úložisko", "Unshare" : "Zrušiť zdieľanie", + "Download" : "Sťahovanie", "Select" : "Vybrať", "Pending" : "Čaká", "Error moving file." : "Chyba pri presune súboru.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "Z odkazu", "Upload" : "Nahrať", "Cancel upload" : "Zrušiť nahrávanie", - "Download" : "Sťahovanie", "Upload too large" : "Nahrávanie je príliš veľké", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Súbory, ktoré sa snažíte nahrať, presahujú maximálnu veľkosť pre nahratie súborov na tento server.", "Files are being scanned, please wait." : "Čakajte, súbory sú prehľadávané.", diff --git a/apps/files/l10n/sk_SK.json b/apps/files/l10n/sk_SK.json index b2a262b335a..e025a02504e 100644 --- a/apps/files/l10n/sk_SK.json +++ b/apps/files/l10n/sk_SK.json @@ -50,6 +50,7 @@ "Delete" : "Zmazať", "Disconnect storage" : "Odpojiť úložisko", "Unshare" : "Zrušiť zdieľanie", + "Download" : "Sťahovanie", "Select" : "Vybrať", "Pending" : "Čaká", "Error moving file." : "Chyba pri presune súboru.", @@ -91,7 +92,6 @@ "From link" : "Z odkazu", "Upload" : "Nahrať", "Cancel upload" : "Zrušiť nahrávanie", - "Download" : "Sťahovanie", "Upload too large" : "Nahrávanie je príliš veľké", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Súbory, ktoré sa snažíte nahrať, presahujú maximálnu veľkosť pre nahratie súborov na tento server.", "Files are being scanned, please wait." : "Čakajte, súbory sú prehľadávané.", diff --git a/apps/files/l10n/sl.js b/apps/files/l10n/sl.js index d48eaa75790..f6d3cac7da5 100644 --- a/apps/files/l10n/sl.js +++ b/apps/files/l10n/sl.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Izbriši", "Disconnect storage" : "Odklopi shrambo", "Unshare" : "Prekini souporabo", + "Download" : "Prejmi", "Select" : "Izberi", "Pending" : "V čakanju ...", "Unable to determine date" : "Ni mogoče določiti datuma", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Uvozite vsebino ali pa omogočite usklajevanje z napravami!", "No entries found in this folder" : "V tej mapi ni najdenih predmetov.", "Select all" : "izberi vse", - "Download" : "Prejmi", "Upload too large" : "Prekoračenje omejitve velikosti", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke, ki jih želite poslati, presegajo največjo dovoljeno velikost na strežniku.", "Files are being scanned, please wait." : "Poteka preučevanje datotek, počakajte ...", diff --git a/apps/files/l10n/sl.json b/apps/files/l10n/sl.json index 8a310c24ddf..bd32a62ef46 100644 --- a/apps/files/l10n/sl.json +++ b/apps/files/l10n/sl.json @@ -50,6 +50,7 @@ "Delete" : "Izbriši", "Disconnect storage" : "Odklopi shrambo", "Unshare" : "Prekini souporabo", + "Download" : "Prejmi", "Select" : "Izberi", "Pending" : "V čakanju ...", "Unable to determine date" : "Ni mogoče določiti datuma", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Uvozite vsebino ali pa omogočite usklajevanje z napravami!", "No entries found in this folder" : "V tej mapi ni najdenih predmetov.", "Select all" : "izberi vse", - "Download" : "Prejmi", "Upload too large" : "Prekoračenje omejitve velikosti", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Datoteke, ki jih želite poslati, presegajo največjo dovoljeno velikost na strežniku.", "Files are being scanned, please wait." : "Poteka preučevanje datotek, počakajte ...", diff --git a/apps/files/l10n/sq.js b/apps/files/l10n/sq.js index 97ec5285020..eb4ca7564d9 100644 --- a/apps/files/l10n/sq.js +++ b/apps/files/l10n/sq.js @@ -51,6 +51,7 @@ OC.L10N.register( "Delete" : "Fshi", "Disconnect storage" : "Shkëput hapësirën e memorizimit", "Unshare" : "Hiq ndarjen", + "Download" : "Shkarko", "Pending" : "Në vijim", "Error moving file." : "Gabim në lëvizjen e skedarëve.", "Error moving file" : "Gabim lëvizjen dokumentave", @@ -90,7 +91,6 @@ OC.L10N.register( "From link" : "Nga lidhja", "Upload" : "Ngarko", "Cancel upload" : "Anullo ngarkimin", - "Download" : "Shkarko", "Upload too large" : "Ngarkimi shumë i madh", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Skedarët që po mundoheni të ngarkoni e tejkalojnë madhësinë maksimale të lejuar nga serveri.", "Files are being scanned, please wait." : "Skanerizimi i skedarit në proces. Ju lutem prisni.", diff --git a/apps/files/l10n/sq.json b/apps/files/l10n/sq.json index 8d0d335e296..44cc00477bd 100644 --- a/apps/files/l10n/sq.json +++ b/apps/files/l10n/sq.json @@ -49,6 +49,7 @@ "Delete" : "Fshi", "Disconnect storage" : "Shkëput hapësirën e memorizimit", "Unshare" : "Hiq ndarjen", + "Download" : "Shkarko", "Pending" : "Në vijim", "Error moving file." : "Gabim në lëvizjen e skedarëve.", "Error moving file" : "Gabim lëvizjen dokumentave", @@ -88,7 +89,6 @@ "From link" : "Nga lidhja", "Upload" : "Ngarko", "Cancel upload" : "Anullo ngarkimin", - "Download" : "Shkarko", "Upload too large" : "Ngarkimi shumë i madh", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Skedarët që po mundoheni të ngarkoni e tejkalojnë madhësinë maksimale të lejuar nga serveri.", "Files are being scanned, please wait." : "Skanerizimi i skedarit në proces. Ju lutem prisni.", diff --git a/apps/files/l10n/sr.js b/apps/files/l10n/sr.js index 7e0391c81f3..73ed91ee7e3 100644 --- a/apps/files/l10n/sr.js +++ b/apps/files/l10n/sr.js @@ -23,6 +23,7 @@ OC.L10N.register( "Rename" : "Преименуј", "Delete" : "Обриши", "Unshare" : "Укини дељење", + "Download" : "Преузми", "Pending" : "На чекању", "Error" : "Грешка", "Name" : "Име", @@ -46,7 +47,6 @@ OC.L10N.register( "From link" : "Са везе", "Upload" : "Отпреми", "Cancel upload" : "Прекини отпремање", - "Download" : "Преузми", "Upload too large" : "Датотека је превелика", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Датотеке које желите да отпремите прелазе ограничење у величини.", "Files are being scanned, please wait." : "Скенирам датотеке…" diff --git a/apps/files/l10n/sr.json b/apps/files/l10n/sr.json index 77d8f1e99c7..e0529d980fc 100644 --- a/apps/files/l10n/sr.json +++ b/apps/files/l10n/sr.json @@ -21,6 +21,7 @@ "Rename" : "Преименуј", "Delete" : "Обриши", "Unshare" : "Укини дељење", + "Download" : "Преузми", "Pending" : "На чекању", "Error" : "Грешка", "Name" : "Име", @@ -44,7 +45,6 @@ "From link" : "Са везе", "Upload" : "Отпреми", "Cancel upload" : "Прекини отпремање", - "Download" : "Преузми", "Upload too large" : "Датотека је превелика", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Датотеке које желите да отпремите прелазе ограничење у величини.", "Files are being scanned, please wait." : "Скенирам датотеке…" diff --git a/apps/files/l10n/sr@latin.js b/apps/files/l10n/sr@latin.js index 7f0e00a7f94..65aafd9d1f3 100644 --- a/apps/files/l10n/sr@latin.js +++ b/apps/files/l10n/sr@latin.js @@ -1,31 +1,111 @@ OC.L10N.register( "files", { + "Storage not available" : "Skladište nije dostupno", + "Storage invalid" : "Neispravno skladište", + "Unknown error" : "Nepoznata greška", + "Could not move %s - File with this name already exists" : "Nemoguće premeštanje %s - fajl sa ovim imenom već postoji", + "Could not move %s" : "Nemoguće premeštanje %s", + "Permission denied" : "Pristup odbijen", + "File name cannot be empty." : "Ime fajla ne može biti prazno.", + "\"%s\" is an invalid file name." : "\"%s\" je neispravno ime fajla.", + "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." : "Neispravno ime, '\\', '/', '<', '>', ':', '\"', '|', '?' i '*' nisu dozvoljeni.", + "The target folder has been moved or deleted." : "Ciljani direktorijum je premešten ili izbrisan.", + "The name %s is already used in the folder %s. Please choose a different name." : "Ime %s je već u upotrebi u direktorijumu %s. Molimo izaberite drugo ime.", + "Not a valid source" : "Nije ispravan izvor", + "Server is not allowed to open URLs, please check the server configuration" : "Serveru nije dozvoljeno da otvara URL-ove, molimo proverite podešavanja servera", + "The file exceeds your quota by %s" : "Ovaj fajl prevazilazi Vašu kvotu za %s", + "Error while downloading %s to %s" : "Greška pri preuzimanju %s u %s", + "Error when creating the file" : "Greška pri kreiranju fajla", + "Folder name cannot be empty." : "Ime direktorijuma ne može da bude prazno.", + "Error when creating the folder" : "Greška pri kreiranju direktorijuma", + "Unable to set upload directory." : "Nemoguće postaviti direktorijum za otpremanje.", + "Invalid Token" : "Neispravan simbol", + "No file was uploaded. Unknown error" : "Fajl nije otpremeljen. Nepoznata greška", "There is no error, the file uploaded with success" : "Nema greške, fajl je uspešno poslat", + "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "Otpremljeni fajl prevazilazi upload_max_filesize direktivu u php.ini:", "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "Poslati fajl prevazilazi direktivu MAX_FILE_SIZE koja je navedena u HTML formi", "The uploaded file was only partially uploaded" : "Poslati fajl je samo delimično otpremljen!", "No file was uploaded" : "Nijedan fajl nije poslat", "Missing a temporary folder" : "Nedostaje privremena fascikla", + "Failed to write to disk" : "Neuspelo pisanje na disk", + "Not enough storage available" : "Nema dovoljno skladišnog prostora na raspolaganju", + "Upload failed. Could not find uploaded file" : "Otpremanje nije uspelo. Nije pronađen otpremljeni fajl", + "Upload failed. Could not get file info." : "Otpremanje nije uspelo. Nije moguće pronaći informacije o fajlu.", + "Invalid directory." : "Neispravan direktorijum", "Files" : "Fajlovi", + "All files" : "Svi fajlovi", + "Favorites" : "Omiljeni", "Home" : "Kuća", + "Unable to upload {filename} as it is a directory or has 0 bytes" : "Nije moguće otpremiti {filename} zato što je u pitanju direktorijum ili ima 0 bajtova.", + "Total file size {size1} exceeds upload limit {size2}" : "Ukupna veličina fajla {size1} prevazilazi limit za otpremanje {size2}", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "Nema dovoljno slobodnog prostora, otpremate {size1} ali samo je {size2} preostalo", + "Upload cancelled." : "Otpremanje otkazano.", + "Could not get result from server." : "Nije bilo moguće dobiti rezultat sa servera.", + "File upload is in progress. Leaving the page now will cancel the upload." : "Otpremanje fajla je u toku. Ako sada napustite stranicu, prekinućete otpremanje.", + "URL cannot be empty" : "URL ne može biti prazan.", + "{new_name} already exists" : "{new_name} već postoji", + "Could not create file" : "Nije bilo moguće kreirati fajl", + "Could not create folder" : "Nije bilo moguće kreirati direktorijum", + "Error fetching URL" : "Greška pri preuzimanju URL-a", "Rename" : "Preimenij", "Delete" : "Obriši", + "Disconnect storage" : "Nepovezano skladište", "Unshare" : "Ukljoni deljenje", + "Download" : "Preuzmi", + "Select" : "Odaberi", + "Pending" : "U toku", + "Unable to determine date" : "Nemoguće ustanoviti datum", + "Error moving file." : "Greška pri premeštanju fajla.", + "Error moving file" : "Greška pri premeštanju fajla", "Error" : "Greška", + "Could not rename file" : "Nemoguća promena imena fajla", + "Error deleting file." : "Greška pri brisanju fajla.", + "No entries in this folder match '{filter}'" : "Nijedan unos u ovom direktorijumu se ne poklapa sa '{filter}'", "Name" : "Ime", "Size" : "Veličina", "Modified" : "Zadnja izmena", - "_%n folder_::_%n folders_" : ["","",""], - "_%n file_::_%n files_" : ["","",""], - "_Uploading %n file_::_Uploading %n files_" : ["","",""], - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_%n folder_::_%n folders_" : ["%n direktorijum","%n direktorijuma","%n direktorijuma"], + "_%n file_::_%n files_" : ["%n fajl","%n fajlova","%n fajlova"], + "You don’t have permission to upload or create files here" : "Nemate dozvolu da otpremate ili kreirate fajlove ovde", + "_Uploading %n file_::_Uploading %n files_" : ["Otpremam %n fajl","Otpremam %n fajlova","Otpremam %n fajlova"], + "\"{name}\" is an invalid file name." : "\"{name}\" je neispravno ime fajla.", + "Your storage is full, files can not be updated or synced anymore!" : "Vaše skladište je puno, fajlovi se ne mogu više otpremati ili sinhronizovati.", + "Your storage is almost full ({usedSpacePercent}%)" : "Vaše skladište je skoro puno ({usedSpacePercent}%)", + "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacija za šifrovanje je omogućena ali Vaši ključevi nisu inicijalizovani, molimo Vas da se izlogujete i ulogujete ponovo.", + "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Neispravan privatni ključ za Aplikaciju za šifrovanje. Molimo da osvežite vašu lozinku privatnog ključa u ličnim podešavanjima kako bi dobili pristup šifrovanim fajlovima.", + "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Šifrovanje je isključeno, ali Vaši fajlovi su i dalje šifrovani. Molimo Vas da odete u lična podešavanja da dešifrujete svoje fajlove.", + "_matches '{filter}'_::_match '{filter}'_" : ["poklapa se sa '{filter}'","poklapaju se sa '{filter}'","poklapaju se sa '{filter}'"], + "{dirs} and {files}" : "{dirs} i {files}", + "Favorited" : "Omiljeni", + "Favorite" : "Omiljen", + "%s could not be renamed as it has been deleted" : "%s nije mogao biti preimenovan jer je obrisan.", + "%s could not be renamed" : "%s nije mogao biti preimenovan", + "Upload (max. %s)" : "Otpremanje (maksimalno %s)", + "File handling" : "Upravljanje fajlovima", "Maximum upload size" : "Maksimalna veličina pošiljke", + "max. possible: " : "najviše moguće:", "Save" : "Snimi", "Settings" : "Podešavanja", + "WebDAV" : "WebDAV", + "Use this address to <a href=\"%s\" target=\"_blank\">access your Files via WebDAV</a>" : "Upotrebite ovu adresu da <a href=\"%s\" target=\"_blank\">pristupite svojim fajlovima putem WebDAV-a</a>", + "New" : "Novi", + "New text file" : "Novi tekstualni fajl", + "Text file" : "Tekstualni fajl", + "New folder" : "Novi direktorijum", "Folder" : "Direktorijum", + "From link" : "Od prečice", "Upload" : "Pošalji", - "Download" : "Preuzmi", + "Cancel upload" : "Otkaži otpremanje", + "No files yet" : "Još nema fajlova", + "Upload some content or sync with your devices!" : "Otpremite neki sadržaj ili sinhronizujte sa svojim uređajima!", + "No entries found in this folder" : "Nema pronađenih unosa u ovom direktorijumu", + "Select all" : "Odaberi sve", "Upload too large" : "Pošiljka je prevelika", - "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fajlovi koje želite da pošaljete prevazilaze ograničenje maksimalne veličine pošiljke na ovom serveru." + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fajlovi koje želite da pošaljete prevazilaze ograničenje maksimalne veličine pošiljke na ovom serveru.", + "Files are being scanned, please wait." : "Fajlovi se skeniraju, molimo sačekajte.", + "Currently scanning" : "Trenutno skeniram", + "No favorites" : "Nema omiljenih", + "Files and folders you mark as favorite will show up here" : "Fajlovi i direktorijumi koje ste obeležili kao omiljene će biti prikazani ovde" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files/l10n/sr@latin.json b/apps/files/l10n/sr@latin.json index 53b3090646b..2366c3fee2b 100644 --- a/apps/files/l10n/sr@latin.json +++ b/apps/files/l10n/sr@latin.json @@ -1,29 +1,109 @@ { "translations": { + "Storage not available" : "Skladište nije dostupno", + "Storage invalid" : "Neispravno skladište", + "Unknown error" : "Nepoznata greška", + "Could not move %s - File with this name already exists" : "Nemoguće premeštanje %s - fajl sa ovim imenom već postoji", + "Could not move %s" : "Nemoguće premeštanje %s", + "Permission denied" : "Pristup odbijen", + "File name cannot be empty." : "Ime fajla ne može biti prazno.", + "\"%s\" is an invalid file name." : "\"%s\" je neispravno ime fajla.", + "Invalid name, '\\', '/', '<', '>', ':', '\"', '|', '?' and '*' are not allowed." : "Neispravno ime, '\\', '/', '<', '>', ':', '\"', '|', '?' i '*' nisu dozvoljeni.", + "The target folder has been moved or deleted." : "Ciljani direktorijum je premešten ili izbrisan.", + "The name %s is already used in the folder %s. Please choose a different name." : "Ime %s je već u upotrebi u direktorijumu %s. Molimo izaberite drugo ime.", + "Not a valid source" : "Nije ispravan izvor", + "Server is not allowed to open URLs, please check the server configuration" : "Serveru nije dozvoljeno da otvara URL-ove, molimo proverite podešavanja servera", + "The file exceeds your quota by %s" : "Ovaj fajl prevazilazi Vašu kvotu za %s", + "Error while downloading %s to %s" : "Greška pri preuzimanju %s u %s", + "Error when creating the file" : "Greška pri kreiranju fajla", + "Folder name cannot be empty." : "Ime direktorijuma ne može da bude prazno.", + "Error when creating the folder" : "Greška pri kreiranju direktorijuma", + "Unable to set upload directory." : "Nemoguće postaviti direktorijum za otpremanje.", + "Invalid Token" : "Neispravan simbol", + "No file was uploaded. Unknown error" : "Fajl nije otpremeljen. Nepoznata greška", "There is no error, the file uploaded with success" : "Nema greške, fajl je uspešno poslat", + "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "Otpremljeni fajl prevazilazi upload_max_filesize direktivu u php.ini:", "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "Poslati fajl prevazilazi direktivu MAX_FILE_SIZE koja je navedena u HTML formi", "The uploaded file was only partially uploaded" : "Poslati fajl je samo delimično otpremljen!", "No file was uploaded" : "Nijedan fajl nije poslat", "Missing a temporary folder" : "Nedostaje privremena fascikla", + "Failed to write to disk" : "Neuspelo pisanje na disk", + "Not enough storage available" : "Nema dovoljno skladišnog prostora na raspolaganju", + "Upload failed. Could not find uploaded file" : "Otpremanje nije uspelo. Nije pronađen otpremljeni fajl", + "Upload failed. Could not get file info." : "Otpremanje nije uspelo. Nije moguće pronaći informacije o fajlu.", + "Invalid directory." : "Neispravan direktorijum", "Files" : "Fajlovi", + "All files" : "Svi fajlovi", + "Favorites" : "Omiljeni", "Home" : "Kuća", + "Unable to upload {filename} as it is a directory or has 0 bytes" : "Nije moguće otpremiti {filename} zato što je u pitanju direktorijum ili ima 0 bajtova.", + "Total file size {size1} exceeds upload limit {size2}" : "Ukupna veličina fajla {size1} prevazilazi limit za otpremanje {size2}", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "Nema dovoljno slobodnog prostora, otpremate {size1} ali samo je {size2} preostalo", + "Upload cancelled." : "Otpremanje otkazano.", + "Could not get result from server." : "Nije bilo moguće dobiti rezultat sa servera.", + "File upload is in progress. Leaving the page now will cancel the upload." : "Otpremanje fajla je u toku. Ako sada napustite stranicu, prekinućete otpremanje.", + "URL cannot be empty" : "URL ne može biti prazan.", + "{new_name} already exists" : "{new_name} već postoji", + "Could not create file" : "Nije bilo moguće kreirati fajl", + "Could not create folder" : "Nije bilo moguće kreirati direktorijum", + "Error fetching URL" : "Greška pri preuzimanju URL-a", "Rename" : "Preimenij", "Delete" : "Obriši", + "Disconnect storage" : "Nepovezano skladište", "Unshare" : "Ukljoni deljenje", + "Download" : "Preuzmi", + "Select" : "Odaberi", + "Pending" : "U toku", + "Unable to determine date" : "Nemoguće ustanoviti datum", + "Error moving file." : "Greška pri premeštanju fajla.", + "Error moving file" : "Greška pri premeštanju fajla", "Error" : "Greška", + "Could not rename file" : "Nemoguća promena imena fajla", + "Error deleting file." : "Greška pri brisanju fajla.", + "No entries in this folder match '{filter}'" : "Nijedan unos u ovom direktorijumu se ne poklapa sa '{filter}'", "Name" : "Ime", "Size" : "Veličina", "Modified" : "Zadnja izmena", - "_%n folder_::_%n folders_" : ["","",""], - "_%n file_::_%n files_" : ["","",""], - "_Uploading %n file_::_Uploading %n files_" : ["","",""], - "_matches '{filter}'_::_match '{filter}'_" : ["","",""], + "_%n folder_::_%n folders_" : ["%n direktorijum","%n direktorijuma","%n direktorijuma"], + "_%n file_::_%n files_" : ["%n fajl","%n fajlova","%n fajlova"], + "You don’t have permission to upload or create files here" : "Nemate dozvolu da otpremate ili kreirate fajlove ovde", + "_Uploading %n file_::_Uploading %n files_" : ["Otpremam %n fajl","Otpremam %n fajlova","Otpremam %n fajlova"], + "\"{name}\" is an invalid file name." : "\"{name}\" je neispravno ime fajla.", + "Your storage is full, files can not be updated or synced anymore!" : "Vaše skladište je puno, fajlovi se ne mogu više otpremati ili sinhronizovati.", + "Your storage is almost full ({usedSpacePercent}%)" : "Vaše skladište je skoro puno ({usedSpacePercent}%)", + "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacija za šifrovanje je omogućena ali Vaši ključevi nisu inicijalizovani, molimo Vas da se izlogujete i ulogujete ponovo.", + "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Neispravan privatni ključ za Aplikaciju za šifrovanje. Molimo da osvežite vašu lozinku privatnog ključa u ličnim podešavanjima kako bi dobili pristup šifrovanim fajlovima.", + "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Šifrovanje je isključeno, ali Vaši fajlovi su i dalje šifrovani. Molimo Vas da odete u lična podešavanja da dešifrujete svoje fajlove.", + "_matches '{filter}'_::_match '{filter}'_" : ["poklapa se sa '{filter}'","poklapaju se sa '{filter}'","poklapaju se sa '{filter}'"], + "{dirs} and {files}" : "{dirs} i {files}", + "Favorited" : "Omiljeni", + "Favorite" : "Omiljen", + "%s could not be renamed as it has been deleted" : "%s nije mogao biti preimenovan jer je obrisan.", + "%s could not be renamed" : "%s nije mogao biti preimenovan", + "Upload (max. %s)" : "Otpremanje (maksimalno %s)", + "File handling" : "Upravljanje fajlovima", "Maximum upload size" : "Maksimalna veličina pošiljke", + "max. possible: " : "najviše moguće:", "Save" : "Snimi", "Settings" : "Podešavanja", + "WebDAV" : "WebDAV", + "Use this address to <a href=\"%s\" target=\"_blank\">access your Files via WebDAV</a>" : "Upotrebite ovu adresu da <a href=\"%s\" target=\"_blank\">pristupite svojim fajlovima putem WebDAV-a</a>", + "New" : "Novi", + "New text file" : "Novi tekstualni fajl", + "Text file" : "Tekstualni fajl", + "New folder" : "Novi direktorijum", "Folder" : "Direktorijum", + "From link" : "Od prečice", "Upload" : "Pošalji", - "Download" : "Preuzmi", + "Cancel upload" : "Otkaži otpremanje", + "No files yet" : "Još nema fajlova", + "Upload some content or sync with your devices!" : "Otpremite neki sadržaj ili sinhronizujte sa svojim uređajima!", + "No entries found in this folder" : "Nema pronađenih unosa u ovom direktorijumu", + "Select all" : "Odaberi sve", "Upload too large" : "Pošiljka je prevelika", - "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fajlovi koje želite da pošaljete prevazilaze ograničenje maksimalne veličine pošiljke na ovom serveru." + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Fajlovi koje želite da pošaljete prevazilaze ograničenje maksimalne veličine pošiljke na ovom serveru.", + "Files are being scanned, please wait." : "Fajlovi se skeniraju, molimo sačekajte.", + "Currently scanning" : "Trenutno skeniram", + "No favorites" : "Nema omiljenih", + "Files and folders you mark as favorite will show up here" : "Fajlovi i direktorijumi koje ste obeležili kao omiljene će biti prikazani ovde" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" }
\ No newline at end of file diff --git a/apps/files/l10n/sv.js b/apps/files/l10n/sv.js index 36f8a843758..3919f6f3e4c 100644 --- a/apps/files/l10n/sv.js +++ b/apps/files/l10n/sv.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Radera", "Disconnect storage" : "Koppla bort lagring", "Unshare" : "Sluta dela", + "Download" : "Ladda ner", "Select" : "Välj", "Pending" : "Väntar", "Unable to determine date" : "Misslyckades avgöra datum", @@ -98,7 +99,6 @@ OC.L10N.register( "No files yet" : "Inga filer ännu", "Upload some content or sync with your devices!" : "Ladda upp innehåll eller synkronisera med dina enheter!", "Select all" : "Välj allt", - "Download" : "Ladda ner", "Upload too large" : "För stor uppladdning", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filerna du försöker ladda upp överstiger den maximala storleken för filöverföringar på servern.", "Files are being scanned, please wait." : "Filer skannas, var god vänta", diff --git a/apps/files/l10n/sv.json b/apps/files/l10n/sv.json index e976598bdeb..91432f89178 100644 --- a/apps/files/l10n/sv.json +++ b/apps/files/l10n/sv.json @@ -50,6 +50,7 @@ "Delete" : "Radera", "Disconnect storage" : "Koppla bort lagring", "Unshare" : "Sluta dela", + "Download" : "Ladda ner", "Select" : "Välj", "Pending" : "Väntar", "Unable to determine date" : "Misslyckades avgöra datum", @@ -96,7 +97,6 @@ "No files yet" : "Inga filer ännu", "Upload some content or sync with your devices!" : "Ladda upp innehåll eller synkronisera med dina enheter!", "Select all" : "Välj allt", - "Download" : "Ladda ner", "Upload too large" : "För stor uppladdning", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Filerna du försöker ladda upp överstiger den maximala storleken för filöverföringar på servern.", "Files are being scanned, please wait." : "Filer skannas, var god vänta", diff --git a/apps/files/l10n/ta_LK.js b/apps/files/l10n/ta_LK.js index ad4fd86fd82..1ff2017ac28 100644 --- a/apps/files/l10n/ta_LK.js +++ b/apps/files/l10n/ta_LK.js @@ -18,6 +18,7 @@ OC.L10N.register( "Rename" : "பெயர்மாற்றம்", "Delete" : "நீக்குக", "Unshare" : "பகிரப்படாதது", + "Download" : "பதிவிறக்குக", "Select" : "தெரிக", "Pending" : "நிலுவையிலுள்ள", "Error" : "வழு", @@ -40,7 +41,6 @@ OC.L10N.register( "From link" : "இணைப்பிலிருந்து", "Upload" : "பதிவேற்றுக", "Cancel upload" : "பதிவேற்றலை இரத்து செய்க", - "Download" : "பதிவிறக்குக", "Upload too large" : "பதிவேற்றல் மிகப்பெரியது", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்புகளானது இந்த சேவையகத்தில் கோப்பு பதிவேற்றக்கூடிய ஆகக்கூடிய அளவிலும் கூடியது.", "Files are being scanned, please wait." : "கோப்புகள் வருடப்படுகின்றன, தயவுசெய்து காத்திருங்கள்." diff --git a/apps/files/l10n/ta_LK.json b/apps/files/l10n/ta_LK.json index f16d84f65e9..f945ee4032b 100644 --- a/apps/files/l10n/ta_LK.json +++ b/apps/files/l10n/ta_LK.json @@ -16,6 +16,7 @@ "Rename" : "பெயர்மாற்றம்", "Delete" : "நீக்குக", "Unshare" : "பகிரப்படாதது", + "Download" : "பதிவிறக்குக", "Select" : "தெரிக", "Pending" : "நிலுவையிலுள்ள", "Error" : "வழு", @@ -38,7 +39,6 @@ "From link" : "இணைப்பிலிருந்து", "Upload" : "பதிவேற்றுக", "Cancel upload" : "பதிவேற்றலை இரத்து செய்க", - "Download" : "பதிவிறக்குக", "Upload too large" : "பதிவேற்றல் மிகப்பெரியது", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "நீங்கள் பதிவேற்ற முயற்சிக்கும் கோப்புகளானது இந்த சேவையகத்தில் கோப்பு பதிவேற்றக்கூடிய ஆகக்கூடிய அளவிலும் கூடியது.", "Files are being scanned, please wait." : "கோப்புகள் வருடப்படுகின்றன, தயவுசெய்து காத்திருங்கள்." diff --git a/apps/files/l10n/th_TH.js b/apps/files/l10n/th_TH.js index 7fc966cdd67..cba3ae369fc 100644 --- a/apps/files/l10n/th_TH.js +++ b/apps/files/l10n/th_TH.js @@ -25,6 +25,7 @@ OC.L10N.register( "Rename" : "เปลี่ยนชื่อ", "Delete" : "ลบ", "Unshare" : "ยกเลิกการแชร์", + "Download" : "ดาวน์โหลด", "Select" : "เลือก", "Pending" : "อยู่ระหว่างดำเนินการ", "Error" : "ข้อผิดพลาด", @@ -51,7 +52,6 @@ OC.L10N.register( "From link" : "จากลิงก์", "Upload" : "อัพโหลด", "Cancel upload" : "ยกเลิกการอัพโหลด", - "Download" : "ดาวน์โหลด", "Upload too large" : "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้", "Files are being scanned, please wait." : "ไฟล์กำลังอยู่ระหว่างการสแกน, กรุณารอสักครู่." diff --git a/apps/files/l10n/th_TH.json b/apps/files/l10n/th_TH.json index 2c30e37912c..048a8d3d8be 100644 --- a/apps/files/l10n/th_TH.json +++ b/apps/files/l10n/th_TH.json @@ -23,6 +23,7 @@ "Rename" : "เปลี่ยนชื่อ", "Delete" : "ลบ", "Unshare" : "ยกเลิกการแชร์", + "Download" : "ดาวน์โหลด", "Select" : "เลือก", "Pending" : "อยู่ระหว่างดำเนินการ", "Error" : "ข้อผิดพลาด", @@ -49,7 +50,6 @@ "From link" : "จากลิงก์", "Upload" : "อัพโหลด", "Cancel upload" : "ยกเลิกการอัพโหลด", - "Download" : "ดาวน์โหลด", "Upload too large" : "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้", "Files are being scanned, please wait." : "ไฟล์กำลังอยู่ระหว่างการสแกน, กรุณารอสักครู่." diff --git a/apps/files/l10n/tr.js b/apps/files/l10n/tr.js index f3f4785b2c1..d780db554b6 100644 --- a/apps/files/l10n/tr.js +++ b/apps/files/l10n/tr.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Sil", "Disconnect storage" : "Depolama bağlantısını kes", "Unshare" : "Paylaşmayı Kaldır", + "Download" : "İndir", "Select" : "Seç", "Pending" : "Bekliyor", "Unable to determine date" : "Tarih tespit edilemedi", @@ -74,7 +75,7 @@ OC.L10N.register( "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme Uygulaması etkin ancak anahtarlarınız başlatılmamış. Lütfen oturumu kapatıp yeniden açın", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Şifreleme Uygulaması için geçersiz özel anahtar. Lütfen şifreli dosyalarınıza erişimi tekrar kazanabilmek için kişisel ayarlarınızdan özel anahtar parolanızı güncelleyin.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Şifreleme işlemi durduruldu ancak dosyalarınız hala şifreli. Dosyalarınızın şifrelemesini kaldırmak için lütfen kişisel ayarlar kısmına geçin.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["'{filter}' ile eşleşiyor","'{filter}' ile eşleşiyor"], "{dirs} and {files}" : "{dirs} ve {files}", "Favorited" : "Sık kullanılanlara eklendi", "Favorite" : "Sık Kullanılan", @@ -100,7 +101,6 @@ OC.L10N.register( "Upload some content or sync with your devices!" : "Bir şeyler yükleyin veya aygıtlarınızla eşleştirin!", "No entries found in this folder" : "Bu klasörde hiçbir girdi bulunamadı", "Select all" : "Tümünü seç", - "Download" : "İndir", "Upload too large" : "Yükleme çok büyük", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Yüklemeye çalıştığınız dosyalar bu sunucudaki azami yükleme boyutunu aşıyor.", "Files are being scanned, please wait." : "Dosyalar taranıyor, lütfen bekleyin.", diff --git a/apps/files/l10n/tr.json b/apps/files/l10n/tr.json index 38b6489d31c..7aad97b5e1a 100644 --- a/apps/files/l10n/tr.json +++ b/apps/files/l10n/tr.json @@ -50,6 +50,7 @@ "Delete" : "Sil", "Disconnect storage" : "Depolama bağlantısını kes", "Unshare" : "Paylaşmayı Kaldır", + "Download" : "İndir", "Select" : "Seç", "Pending" : "Bekliyor", "Unable to determine date" : "Tarih tespit edilemedi", @@ -72,7 +73,7 @@ "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme Uygulaması etkin ancak anahtarlarınız başlatılmamış. Lütfen oturumu kapatıp yeniden açın", "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Şifreleme Uygulaması için geçersiz özel anahtar. Lütfen şifreli dosyalarınıza erişimi tekrar kazanabilmek için kişisel ayarlarınızdan özel anahtar parolanızı güncelleyin.", "Encryption was disabled but your files are still encrypted. Please go to your personal settings to decrypt your files." : "Şifreleme işlemi durduruldu ancak dosyalarınız hala şifreli. Dosyalarınızın şifrelemesini kaldırmak için lütfen kişisel ayarlar kısmına geçin.", - "_matches '{filter}'_::_match '{filter}'_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["'{filter}' ile eşleşiyor","'{filter}' ile eşleşiyor"], "{dirs} and {files}" : "{dirs} ve {files}", "Favorited" : "Sık kullanılanlara eklendi", "Favorite" : "Sık Kullanılan", @@ -98,7 +99,6 @@ "Upload some content or sync with your devices!" : "Bir şeyler yükleyin veya aygıtlarınızla eşleştirin!", "No entries found in this folder" : "Bu klasörde hiçbir girdi bulunamadı", "Select all" : "Tümünü seç", - "Download" : "İndir", "Upload too large" : "Yükleme çok büyük", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Yüklemeye çalıştığınız dosyalar bu sunucudaki azami yükleme boyutunu aşıyor.", "Files are being scanned, please wait." : "Dosyalar taranıyor, lütfen bekleyin.", diff --git a/apps/files/l10n/ug.js b/apps/files/l10n/ug.js index bc6bd2cd05f..46e54ee94ec 100644 --- a/apps/files/l10n/ug.js +++ b/apps/files/l10n/ug.js @@ -17,6 +17,7 @@ OC.L10N.register( "Rename" : "ئات ئۆزگەرت", "Delete" : "ئۆچۈر", "Unshare" : "ھەمبەھىرلىمە", + "Download" : "چۈشۈر", "Pending" : "كۈتۈۋاتىدۇ", "Error" : "خاتالىق", "Name" : "ئاتى", @@ -36,7 +37,6 @@ OC.L10N.register( "Folder" : "قىسقۇچ", "Upload" : "يۈكلە", "Cancel upload" : "يۈكلەشتىن ۋاز كەچ", - "Download" : "چۈشۈر", "Upload too large" : "يۈكلەندىغىنى بەك چوڭ" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ug.json b/apps/files/l10n/ug.json index d74b0f17160..dfdb347387f 100644 --- a/apps/files/l10n/ug.json +++ b/apps/files/l10n/ug.json @@ -15,6 +15,7 @@ "Rename" : "ئات ئۆزگەرت", "Delete" : "ئۆچۈر", "Unshare" : "ھەمبەھىرلىمە", + "Download" : "چۈشۈر", "Pending" : "كۈتۈۋاتىدۇ", "Error" : "خاتالىق", "Name" : "ئاتى", @@ -34,7 +35,6 @@ "Folder" : "قىسقۇچ", "Upload" : "يۈكلە", "Cancel upload" : "يۈكلەشتىن ۋاز كەچ", - "Download" : "چۈشۈر", "Upload too large" : "يۈكلەندىغىنى بەك چوڭ" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/uk.js b/apps/files/l10n/uk.js index 2a2c4e6895b..7275eea30f7 100644 --- a/apps/files/l10n/uk.js +++ b/apps/files/l10n/uk.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "Видалити", "Disconnect storage" : "Від’єднати сховище", "Unshare" : "Закрити доступ", + "Download" : "Завантажити", "Select" : "Оберіть", "Pending" : "Очікування", "Error moving file." : "Помилка переміщення файлу.", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "З посилання", "Upload" : "Вивантажити", "Cancel upload" : "Перервати завантаження", - "Download" : "Завантажити", "Upload too large" : "Файл занадто великий", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файли,що ви намагаєтесь відвантажити перевищують максимальний дозволений розмір файлів на цьому сервері.", "Files are being scanned, please wait." : "Файли скануються, зачекайте, будь-ласка.", diff --git a/apps/files/l10n/uk.json b/apps/files/l10n/uk.json index becf85be11e..af7ce2cd751 100644 --- a/apps/files/l10n/uk.json +++ b/apps/files/l10n/uk.json @@ -50,6 +50,7 @@ "Delete" : "Видалити", "Disconnect storage" : "Від’єднати сховище", "Unshare" : "Закрити доступ", + "Download" : "Завантажити", "Select" : "Оберіть", "Pending" : "Очікування", "Error moving file." : "Помилка переміщення файлу.", @@ -91,7 +92,6 @@ "From link" : "З посилання", "Upload" : "Вивантажити", "Cancel upload" : "Перервати завантаження", - "Download" : "Завантажити", "Upload too large" : "Файл занадто великий", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Файли,що ви намагаєтесь відвантажити перевищують максимальний дозволений розмір файлів на цьому сервері.", "Files are being scanned, please wait." : "Файли скануються, зачекайте, будь-ласка.", diff --git a/apps/files/l10n/ur_PK.js b/apps/files/l10n/ur_PK.js index b72be41b084..52a1659896a 100644 --- a/apps/files/l10n/ur_PK.js +++ b/apps/files/l10n/ur_PK.js @@ -4,6 +4,7 @@ OC.L10N.register( "Unknown error" : "غیر معروف خرابی", "Delete" : "حذف کریں", "Unshare" : "شئیرنگ ختم کریں", + "Download" : "ڈاؤن لوڈ،", "Error" : "ایرر", "Name" : "اسم", "_%n folder_::_%n folders_" : ["",""], @@ -11,7 +12,6 @@ OC.L10N.register( "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Save" : "حفظ", - "Settings" : "ترتیبات", - "Download" : "ڈاؤن لوڈ،" + "Settings" : "ترتیبات" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ur_PK.json b/apps/files/l10n/ur_PK.json index 5412e14a454..b0a542645a9 100644 --- a/apps/files/l10n/ur_PK.json +++ b/apps/files/l10n/ur_PK.json @@ -2,6 +2,7 @@ "Unknown error" : "غیر معروف خرابی", "Delete" : "حذف کریں", "Unshare" : "شئیرنگ ختم کریں", + "Download" : "ڈاؤن لوڈ،", "Error" : "ایرر", "Name" : "اسم", "_%n folder_::_%n folders_" : ["",""], @@ -9,7 +10,6 @@ "_Uploading %n file_::_Uploading %n files_" : ["",""], "_matches '{filter}'_::_match '{filter}'_" : ["",""], "Save" : "حفظ", - "Settings" : "ترتیبات", - "Download" : "ڈاؤن لوڈ،" + "Settings" : "ترتیبات" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/vi.js b/apps/files/l10n/vi.js index b9c323e2c5d..19f5c24928c 100644 --- a/apps/files/l10n/vi.js +++ b/apps/files/l10n/vi.js @@ -41,6 +41,7 @@ OC.L10N.register( "Rename" : "Sửa tên", "Delete" : "Xóa", "Unshare" : "Bỏ chia sẻ", + "Download" : "Tải về", "Select" : "Chọn", "Pending" : "Đang chờ", "Error moving file" : "Lỗi di chuyển tập tin", @@ -76,7 +77,6 @@ OC.L10N.register( "From link" : "Từ liên kết", "Upload" : "Tải lên", "Cancel upload" : "Hủy upload", - "Download" : "Tải về", "Upload too large" : "Tập tin tải lên quá lớn", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Các tập tin bạn đang tải lên vượt quá kích thước tối đa cho phép trên máy chủ .", "Files are being scanned, please wait." : "Tập tin đang được quét ,vui lòng chờ." diff --git a/apps/files/l10n/vi.json b/apps/files/l10n/vi.json index a1a73cd8df9..6ed283927c8 100644 --- a/apps/files/l10n/vi.json +++ b/apps/files/l10n/vi.json @@ -39,6 +39,7 @@ "Rename" : "Sửa tên", "Delete" : "Xóa", "Unshare" : "Bỏ chia sẻ", + "Download" : "Tải về", "Select" : "Chọn", "Pending" : "Đang chờ", "Error moving file" : "Lỗi di chuyển tập tin", @@ -74,7 +75,6 @@ "From link" : "Từ liên kết", "Upload" : "Tải lên", "Cancel upload" : "Hủy upload", - "Download" : "Tải về", "Upload too large" : "Tập tin tải lên quá lớn", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Các tập tin bạn đang tải lên vượt quá kích thước tối đa cho phép trên máy chủ .", "Files are being scanned, please wait." : "Tập tin đang được quét ,vui lòng chờ." diff --git a/apps/files/l10n/yo.js b/apps/files/l10n/yo.js new file mode 100644 index 00000000000..7988332fa91 --- /dev/null +++ b/apps/files/l10n/yo.js @@ -0,0 +1,9 @@ +OC.L10N.register( + "files", + { + "_%n folder_::_%n folders_" : ["",""], + "_%n file_::_%n files_" : ["",""], + "_Uploading %n file_::_Uploading %n files_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["",""] +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/yo.json b/apps/files/l10n/yo.json new file mode 100644 index 00000000000..ef5fc586755 --- /dev/null +++ b/apps/files/l10n/yo.json @@ -0,0 +1,7 @@ +{ "translations": { + "_%n folder_::_%n folders_" : ["",""], + "_%n file_::_%n files_" : ["",""], + "_Uploading %n file_::_Uploading %n files_" : ["",""], + "_matches '{filter}'_::_match '{filter}'_" : ["",""] +},"pluralForm" :"nplurals=2; plural=(n != 1);" +}
\ No newline at end of file diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 884c6b64e98..f95fdd8082e 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "删除", "Disconnect storage" : "断开储存连接", "Unshare" : "取消共享", + "Download" : "下载", "Select" : "选择", "Pending" : "等待", "Unable to determine date" : "无法确定日期", @@ -98,7 +99,6 @@ OC.L10N.register( "No files yet" : "尚无文件", "Upload some content or sync with your devices!" : "上传一些内容或者与设备同步!", "Select all" : "全部选择", - "Download" : "下载", "Upload too large" : "上传文件过大", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "您正尝试上传的文件超过了此服务器可以上传的最大容量限制", "Files are being scanned, please wait." : "文件正在被扫描,请稍候。", diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index fe2c57a1c85..d15062c8c30 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -50,6 +50,7 @@ "Delete" : "删除", "Disconnect storage" : "断开储存连接", "Unshare" : "取消共享", + "Download" : "下载", "Select" : "选择", "Pending" : "等待", "Unable to determine date" : "无法确定日期", @@ -96,7 +97,6 @@ "No files yet" : "尚无文件", "Upload some content or sync with your devices!" : "上传一些内容或者与设备同步!", "Select all" : "全部选择", - "Download" : "下载", "Upload too large" : "上传文件过大", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "您正尝试上传的文件超过了此服务器可以上传的最大容量限制", "Files are being scanned, please wait." : "文件正在被扫描,请稍候。", diff --git a/apps/files/l10n/zh_HK.js b/apps/files/l10n/zh_HK.js index cf291f061fe..baac6520444 100644 --- a/apps/files/l10n/zh_HK.js +++ b/apps/files/l10n/zh_HK.js @@ -8,6 +8,7 @@ OC.L10N.register( "Rename" : "重新命名", "Delete" : "刪除", "Unshare" : "取消分享", + "Download" : "下載", "Error" : "錯誤", "Name" : "名稱", "Size" : "大小", @@ -23,7 +24,6 @@ OC.L10N.register( "New folder" : "新資料夾", "Folder" : "資料夾", "Upload" : "上戴", - "Cancel upload" : "取消上戴", - "Download" : "下載" + "Cancel upload" : "取消上戴" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_HK.json b/apps/files/l10n/zh_HK.json index 9e9bc1f0301..9a3da38a217 100644 --- a/apps/files/l10n/zh_HK.json +++ b/apps/files/l10n/zh_HK.json @@ -6,6 +6,7 @@ "Rename" : "重新命名", "Delete" : "刪除", "Unshare" : "取消分享", + "Download" : "下載", "Error" : "錯誤", "Name" : "名稱", "Size" : "大小", @@ -21,7 +22,6 @@ "New folder" : "新資料夾", "Folder" : "資料夾", "Upload" : "上戴", - "Cancel upload" : "取消上戴", - "Download" : "下載" + "Cancel upload" : "取消上戴" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/zh_TW.js b/apps/files/l10n/zh_TW.js index 30aa0681a8d..817681e828d 100644 --- a/apps/files/l10n/zh_TW.js +++ b/apps/files/l10n/zh_TW.js @@ -52,6 +52,7 @@ OC.L10N.register( "Delete" : "刪除", "Disconnect storage" : "斷開儲存空間連接", "Unshare" : "取消分享", + "Download" : "下載", "Select" : "選擇", "Pending" : "等候中", "Error moving file." : "移動檔案發生錯誤", @@ -93,7 +94,6 @@ OC.L10N.register( "From link" : "從連結", "Upload" : "上傳", "Cancel upload" : "取消上傳", - "Download" : "下載", "Upload too large" : "上傳過大", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "您試圖上傳的檔案大小超過伺服器的限制。", "Files are being scanned, please wait." : "正在掃描檔案,請稍等。", diff --git a/apps/files/l10n/zh_TW.json b/apps/files/l10n/zh_TW.json index 0d57e4f828c..c043e06b4de 100644 --- a/apps/files/l10n/zh_TW.json +++ b/apps/files/l10n/zh_TW.json @@ -50,6 +50,7 @@ "Delete" : "刪除", "Disconnect storage" : "斷開儲存空間連接", "Unshare" : "取消分享", + "Download" : "下載", "Select" : "選擇", "Pending" : "等候中", "Error moving file." : "移動檔案發生錯誤", @@ -91,7 +92,6 @@ "From link" : "從連結", "Upload" : "上傳", "Cancel upload" : "取消上傳", - "Download" : "下載", "Upload too large" : "上傳過大", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "您試圖上傳的檔案大小超過伺服器的限制。", "Files are being scanned, please wait." : "正在掃描檔案,請稍等。", diff --git a/apps/files/lib/app.php b/apps/files/lib/app.php index c21e44bff4e..47d0ec9be9d 100644 --- a/apps/files/lib/app.php +++ b/apps/files/lib/app.php @@ -104,9 +104,11 @@ class App { ) { // successful rename $meta = $this->view->getFileInfo($normalizedNewPath); - $fileinfo = \OCA\Files\Helper::formatFileInfo($meta); + $meta = \OCA\Files\Helper::populateTags(array($meta)); + $fileInfo = \OCA\Files\Helper::formatFileInfo(current($meta)); + $fileInfo['path'] = dirname($normalizedNewPath); $result['success'] = true; - $result['data'] = $fileinfo; + $result['data'] = $fileInfo; } else { // rename failed $result['data'] = array( diff --git a/apps/files/lib/helper.php b/apps/files/lib/helper.php index 4a8af59475b..84b1a0f1662 100644 --- a/apps/files/lib/helper.php +++ b/apps/files/lib/helper.php @@ -181,10 +181,10 @@ class Helper /** * Populate the result set with file tags * - * @param array file list - * @return file list populated with tags + * @param array $fileList + * @return array file list populated with tags */ - public static function populateTags($fileList) { + public static function populateTags(array $fileList) { $filesById = array(); foreach ($fileList as $fileData) { $filesById[$fileData['fileid']] = $fileData; diff --git a/apps/files/tests/ajax_rename.php b/apps/files/tests/ajax_rename.php index 1cfecf9e58c..488c741d3f6 100644 --- a/apps/files/tests/ajax_rename.php +++ b/apps/files/tests/ajax_rename.php @@ -117,12 +117,83 @@ class Test_OC_Files_App_Rename extends \Test\TestCase { $this->assertEquals(18, $result['data']['size']); $this->assertEquals('httpd/unix-directory', $result['data']['mimetype']); $this->assertEquals('abcdef', $result['data']['etag']); + $this->assertFalse(isset($result['data']['tags'])); + $this->assertEquals('/', $result['data']['path']); $icon = \OC_Helper::mimetypeIcon('dir'); $icon = substr($icon, 0, -3) . 'svg'; $this->assertEquals($icon, $result['data']['icon']); } /** + * test rename of file with tag + */ + function testRenameFileWithTag() { + $taggerMock = $this->getMock('\OCP\ITags'); + $taggerMock->expects($this->any()) + ->method('getTagsForObjects') + ->with(array(123)) + ->will($this->returnValue(array(123 => array('tag1', 'tag2')))); + $tagManagerMock = $this->getMock('\OCP\ITagManager'); + $tagManagerMock->expects($this->any()) + ->method('load') + ->with('files') + ->will($this->returnValue($taggerMock)); + $oldTagManager = \OC::$server->query('TagManager'); + \OC::$server->registerService('TagManager', function ($c) use ($tagManagerMock) { + return $tagManagerMock; + }); + + $dir = '/'; + $oldname = 'oldname.txt'; + $newname = 'newname.txt'; + + $this->viewMock->expects($this->any()) + ->method('file_exists') + ->with($this->anything()) + ->will($this->returnValueMap(array( + array('/', true), + array('/oldname.txt', true) + ))); + + + $this->viewMock->expects($this->any()) + ->method('getFileInfo') + ->will($this->returnValue(new \OC\Files\FileInfo( + '/new_name.txt', + new \OC\Files\Storage\Local(array('datadir' => '/')), + '/', + array( + 'fileid' => 123, + 'type' => 'file', + 'mimetype' => 'text/plain', + 'mtime' => 0, + 'permissions' => 31, + 'size' => 18, + 'etag' => 'abcdef', + 'directory' => '/', + 'name' => 'new_name.txt', + ), null))); + + $result = $this->files->rename($dir, $oldname, $newname); + + $this->assertTrue($result['success']); + $this->assertEquals(123, $result['data']['id']); + $this->assertEquals('new_name.txt', $result['data']['name']); + $this->assertEquals(18, $result['data']['size']); + $this->assertEquals('text/plain', $result['data']['mimetype']); + $this->assertEquals('abcdef', $result['data']['etag']); + $this->assertEquals(array('tag1', 'tag2'), $result['data']['tags']); + $this->assertEquals('/', $result['data']['path']); + $icon = \OC_Helper::mimetypeIcon('text'); + $icon = substr($icon, 0, -3) . 'svg'; + $this->assertEquals($icon, $result['data']['icon']); + + \OC::$server->registerService('TagManager', function ($c) use ($oldTagManager) { + return $oldTagManager; + }); + } + + /** * Test rename inside a folder that doesn't exist any more */ function testRenameInNonExistingFolder() { diff --git a/apps/files/tests/js/filelistSpec.js b/apps/files/tests/js/filelistSpec.js index 6dafa262715..c1c8e4ce337 100644 --- a/apps/files/tests/js/filelistSpec.js +++ b/apps/files/tests/js/filelistSpec.js @@ -61,8 +61,8 @@ describe('OCA.Files.FileList tests', function() { $('#testArea').append( '<div id="app-content-files">' + // init horrible parameters - '<input type="hidden" id="dir" value="/subdir"></input>' + - '<input type="hidden" id="permissions" value="31"></input>' + + '<input type="hidden" id="dir" value="/subdir"/>' + + '<input type="hidden" id="permissions" value="31"/>' + // dummy controls '<div id="controls">' + ' <div class="actions creatable"></div>' + @@ -88,6 +88,7 @@ describe('OCA.Files.FileList tests', function() { '<tfoot></tfoot>' + '</table>' + '<div id="emptycontent">Empty content message</div>' + + '<div class="nofilterresults hidden"></div>' + '</div>' ); @@ -763,7 +764,7 @@ describe('OCA.Files.FileList tests', function() { fakeServer.requests[0].respond(200, {'Content-Type': 'application/json'}, JSON.stringify({ status: 'error', data: { - message: 'Error while moving file', + message: 'Error while moving file' } })); @@ -785,7 +786,7 @@ describe('OCA.Files.FileList tests', function() { fakeServer.requests[0].respond(200, {'Content-Type': 'application/json'}, JSON.stringify({ status: 'error', data: { - message: 'Error while moving file', + message: 'Error while moving file' } })); @@ -901,6 +902,116 @@ describe('OCA.Files.FileList tests', function() { expect($summary.find('.info').text()).toEqual('0 folders and 1 file'); }); }); + describe('Filtered list rendering', function() { + it('filters the list of files using filter()', function() { + expect(fileList.files.length).toEqual(0); + expect(fileList.files).toEqual([]); + fileList.setFiles(testFiles); + var $summary = $('#filestable .summary'); + var $nofilterresults = fileList.$el.find(".nofilterresults"); + expect($nofilterresults.length).toEqual(1); + expect($summary.hasClass('hidden')).toEqual(false); + + expect($('#fileList tr:not(.hidden)').length).toEqual(4); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter('e'); + expect($('#fileList tr:not(.hidden)').length).toEqual(3); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($summary.find('.info').text()).toEqual("1 folder and 2 files match 'e'"); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter('ee'); + expect($('#fileList tr:not(.hidden)').length).toEqual(1); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($summary.find('.info').text()).toEqual("0 folders and 1 file matches 'ee'"); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter('eee'); + expect($('#fileList tr:not(.hidden)').length).toEqual(0); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(true); + expect($nofilterresults.hasClass('hidden')).toEqual(false); + + fileList.setFilter('ee'); + expect($('#fileList tr:not(.hidden)').length).toEqual(1); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($summary.find('.info').text()).toEqual("0 folders and 1 file matches 'ee'"); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter('e'); + expect($('#fileList tr:not(.hidden)').length).toEqual(3); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($summary.find('.info').text()).toEqual("1 folder and 2 files match 'e'"); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter(''); + expect($('#fileList tr:not(.hidden)').length).toEqual(4); + expect(fileList.files.length).toEqual(4); + expect($summary.hasClass('hidden')).toEqual(false); + expect($summary.find('.info').text()).toEqual("1 folder and 3 files"); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + }); + it('hides the emptyfiles notice when using filter()', function() { + expect(fileList.files.length).toEqual(0); + expect(fileList.files).toEqual([]); + fileList.setFiles([]); + var $summary = $('#filestable .summary'); + var $emptycontent = fileList.$el.find("#emptycontent"); + var $nofilterresults = fileList.$el.find(".nofilterresults"); + expect($emptycontent.length).toEqual(1); + expect($nofilterresults.length).toEqual(1); + + expect($('#fileList tr:not(.hidden)').length).toEqual(0); + expect(fileList.files.length).toEqual(0); + expect($summary.hasClass('hidden')).toEqual(true); + expect($emptycontent.hasClass('hidden')).toEqual(false); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + fileList.setFilter('e'); + expect($('#fileList tr:not(.hidden)').length).toEqual(0); + expect(fileList.files.length).toEqual(0); + expect($summary.hasClass('hidden')).toEqual(true); + expect($emptycontent.hasClass('hidden')).toEqual(true); + expect($nofilterresults.hasClass('hidden')).toEqual(false); + + fileList.setFilter(''); + expect($('#fileList tr:not(.hidden)').length).toEqual(0); + expect(fileList.files.length).toEqual(0); + expect($summary.hasClass('hidden')).toEqual(true); + expect($emptycontent.hasClass('hidden')).toEqual(false); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + }); + it('does not show the emptyfiles or nofilterresults notice when the mask is active', function() { + expect(fileList.files.length).toEqual(0); + expect(fileList.files).toEqual([]); + fileList.showMask(); + fileList.setFiles(testFiles); + var $emptycontent = fileList.$el.find("#emptycontent"); + var $nofilterresults = fileList.$el.find(".nofilterresults"); + expect($emptycontent.length).toEqual(1); + expect($nofilterresults.length).toEqual(1); + + expect($emptycontent.hasClass('hidden')).toEqual(true); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + + /* + fileList.setFilter('e'); + expect($emptycontent.hasClass('hidden')).toEqual(true); + expect($nofilterresults.hasClass('hidden')).toEqual(false); + */ + + fileList.setFilter(''); + expect($emptycontent.hasClass('hidden')).toEqual(true); + expect($nofilterresults.hasClass('hidden')).toEqual(true); + }); + }); describe('Rendering next page on scroll', function() { beforeEach(function() { fileList.setFiles(generateFiles(0, 64)); diff --git a/apps/files/tests/js/tagspluginspec.js b/apps/files/tests/js/tagspluginspec.js index 66240575a5c..5309973cf4f 100644 --- a/apps/files/tests/js/tagspluginspec.js +++ b/apps/files/tests/js/tagspluginspec.js @@ -77,11 +77,39 @@ describe('OCA.Files.TagsPlugin tests', function() { }); describe('Applying tags', function() { it('sends request to server and updates icon', function() { - // TODO + var request; fileList.setFiles(testFiles); - }); - it('sends all tags to server when applyFileTags() is called ', function() { - // TODO + $tr = fileList.$el.find('tbody tr:first'); + $action = $tr.find('.action-favorite'); + $action.click(); + + expect(fakeServer.requests.length).toEqual(1); + var request = fakeServer.requests[0]; + expect(JSON.parse(request.requestBody)).toEqual({ + tags: ['tag1', 'tag2', OC.TAG_FAVORITE] + }); + request.respond(200, {'Content-Type': 'application/json'}, JSON.stringify({ + tags: ['tag1', 'tag2', 'tag3', OC.TAG_FAVORITE] + })); + + expect($tr.attr('data-favorite')).toEqual('true'); + expect($tr.attr('data-tags').split('|')).toEqual(['tag1', 'tag2', 'tag3', OC.TAG_FAVORITE]); + expect(fileList.files[0].tags).toEqual(['tag1', 'tag2', 'tag3', OC.TAG_FAVORITE]); + expect($action.find('img').attr('src')).toEqual(OC.imagePath('core', 'actions/starred')); + + $action.click(); + request = fakeServer.requests[1]; + expect(JSON.parse(request.requestBody)).toEqual({ + tags: ['tag1', 'tag2', 'tag3'] + }); + request.respond(200, {'Content-Type': 'application/json'}, JSON.stringify({ + tags: ['tag1', 'tag2', 'tag3'] + })); + + expect($tr.attr('data-favorite')).toEqual('false'); + expect($tr.attr('data-tags').split('|')).toEqual(['tag1', 'tag2', 'tag3']); + expect(fileList.files[0].tags).toEqual(['tag1', 'tag2', 'tag3']); + expect($action.find('img').attr('src')).toEqual(OC.imagePath('core', 'actions/star')); }); }); }); diff --git a/apps/files_encryption/l10n/fr.js b/apps/files_encryption/l10n/fr.js index b0f4d1d5edf..d7d0014b351 100644 --- a/apps/files_encryption/l10n/fr.js +++ b/apps/files_encryption/l10n/fr.js @@ -6,7 +6,7 @@ OC.L10N.register( "Please repeat the recovery key password" : "Répétez le mot de passe de la clé de récupération", "Repeated recovery key password does not match the provided recovery key password" : "Le mot de passe de la clé de récupération et sa répétition ne sont pas identiques.", "Recovery key successfully enabled" : "Clé de récupération activée avec succès", - "Could not disable recovery key. Please check your recovery key password!" : "Impossible de désactiver la clé de récupération. Veuillez vérifier votre mot de passe de clé de récupération !", + "Could not disable recovery key. Please check your recovery key password!" : "Impossible de désactiver la clé de récupération. Veuillez vérifier le mot de passe de votre clé de récupération !", "Recovery key successfully disabled" : "Clé de récupération désactivée avec succès", "Please provide the old recovery password" : "Veuillez entrer l'ancien mot de passe de récupération", "Please provide a new recovery password" : "Veuillez entrer un nouveau mot de passe de récupération", @@ -16,11 +16,11 @@ OC.L10N.register( "Could not update the private key password." : "Impossible de mettre à jour le mot de passe de la clé privée.", "The old password was not correct, please try again." : "L'ancien mot de passe est incorrect. Veuillez réessayer.", "The current log-in password was not correct, please try again." : "Le mot de passe actuel n'est pas correct, veuillez réessayer.", - "Private key password successfully updated." : "Mot de passe de la clé privé mis à jour avec succès.", + "Private key password successfully updated." : "Mot de passe de la clé privée mis à jour avec succès.", "File recovery settings updated" : "Paramètres de récupération de fichiers mis à jour", "Could not update file recovery" : "Impossible de mettre à jour les fichiers de récupération", "Encryption app not initialized! Maybe the encryption app was re-enabled during your session. Please try to log out and log back in to initialize the encryption app." : "L'application de chiffrement n'est pas initialisée ! Peut-être que cette application a été réactivée pendant votre session. Veuillez essayer de vous déconnecter et ensuite de vous reconnecter pour initialiser l'application de chiffrement.", - "Your private key is not valid! Likely your password was changed outside of %s (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée est invalide ! Votre mot de passe a probablement été modifié hors de %s (ex. votre annuaire d'entreprise). Vous pouvez mettre à jour le mot de passe de votre clef privée dans les paramètres personnels pour pouvoir récupérer l'accès à vos fichiers chiffrés.", + "Your private key is not valid! Likely your password was changed outside of %s (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée n'est pas valide ! Votre mot de passe a probablement été modifié hors de %s (ex. votre annuaire d'entreprise). Vous pouvez mettre à jour le mot de passe de votre clef privée dans les paramètres personnels pour pouvoir récupérer l'accès à vos fichiers chiffrés.", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de déchiffrer ce fichier, il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire de ce fichier de le repartager avec vous.", "Unknown error. Please check your system settings or contact your administrator" : "Erreur inconnue. Veuillez vérifier vos paramètres système ou contacter un administrateur.", "Initial encryption started... This can take some time. Please wait." : "Chiffrement initial démarré... Cela peut prendre un certain temps. Veuillez patienter.", diff --git a/apps/files_encryption/l10n/fr.json b/apps/files_encryption/l10n/fr.json index fffe581ac5e..683b919e830 100644 --- a/apps/files_encryption/l10n/fr.json +++ b/apps/files_encryption/l10n/fr.json @@ -4,7 +4,7 @@ "Please repeat the recovery key password" : "Répétez le mot de passe de la clé de récupération", "Repeated recovery key password does not match the provided recovery key password" : "Le mot de passe de la clé de récupération et sa répétition ne sont pas identiques.", "Recovery key successfully enabled" : "Clé de récupération activée avec succès", - "Could not disable recovery key. Please check your recovery key password!" : "Impossible de désactiver la clé de récupération. Veuillez vérifier votre mot de passe de clé de récupération !", + "Could not disable recovery key. Please check your recovery key password!" : "Impossible de désactiver la clé de récupération. Veuillez vérifier le mot de passe de votre clé de récupération !", "Recovery key successfully disabled" : "Clé de récupération désactivée avec succès", "Please provide the old recovery password" : "Veuillez entrer l'ancien mot de passe de récupération", "Please provide a new recovery password" : "Veuillez entrer un nouveau mot de passe de récupération", @@ -14,11 +14,11 @@ "Could not update the private key password." : "Impossible de mettre à jour le mot de passe de la clé privée.", "The old password was not correct, please try again." : "L'ancien mot de passe est incorrect. Veuillez réessayer.", "The current log-in password was not correct, please try again." : "Le mot de passe actuel n'est pas correct, veuillez réessayer.", - "Private key password successfully updated." : "Mot de passe de la clé privé mis à jour avec succès.", + "Private key password successfully updated." : "Mot de passe de la clé privée mis à jour avec succès.", "File recovery settings updated" : "Paramètres de récupération de fichiers mis à jour", "Could not update file recovery" : "Impossible de mettre à jour les fichiers de récupération", "Encryption app not initialized! Maybe the encryption app was re-enabled during your session. Please try to log out and log back in to initialize the encryption app." : "L'application de chiffrement n'est pas initialisée ! Peut-être que cette application a été réactivée pendant votre session. Veuillez essayer de vous déconnecter et ensuite de vous reconnecter pour initialiser l'application de chiffrement.", - "Your private key is not valid! Likely your password was changed outside of %s (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée est invalide ! Votre mot de passe a probablement été modifié hors de %s (ex. votre annuaire d'entreprise). Vous pouvez mettre à jour le mot de passe de votre clef privée dans les paramètres personnels pour pouvoir récupérer l'accès à vos fichiers chiffrés.", + "Your private key is not valid! Likely your password was changed outside of %s (e.g. your corporate directory). You can update your private key password in your personal settings to recover access to your encrypted files." : "Votre clef privée n'est pas valide ! Votre mot de passe a probablement été modifié hors de %s (ex. votre annuaire d'entreprise). Vous pouvez mettre à jour le mot de passe de votre clef privée dans les paramètres personnels pour pouvoir récupérer l'accès à vos fichiers chiffrés.", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de déchiffrer ce fichier, il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire de ce fichier de le repartager avec vous.", "Unknown error. Please check your system settings or contact your administrator" : "Erreur inconnue. Veuillez vérifier vos paramètres système ou contacter un administrateur.", "Initial encryption started... This can take some time. Please wait." : "Chiffrement initial démarré... Cela peut prendre un certain temps. Veuillez patienter.", diff --git a/apps/files_encryption/l10n/sr@latin.js b/apps/files_encryption/l10n/sr@latin.js new file mode 100644 index 00000000000..75b9c551adc --- /dev/null +++ b/apps/files_encryption/l10n/sr@latin.js @@ -0,0 +1,7 @@ +OC.L10N.register( + "files_encryption", + { + "Unknown error" : "Nepoznata greška", + "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacija za šifrovanje je omogućena ali Vaši ključevi nisu inicijalizovani, molimo Vas da se izlogujete i ulogujete ponovo." +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_encryption/l10n/sr@latin.json b/apps/files_encryption/l10n/sr@latin.json new file mode 100644 index 00000000000..ac36a0d5190 --- /dev/null +++ b/apps/files_encryption/l10n/sr@latin.json @@ -0,0 +1,5 @@ +{ "translations": { + "Unknown error" : "Nepoznata greška", + "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacija za šifrovanje je omogućena ali Vaši ključevi nisu inicijalizovani, molimo Vas da se izlogujete i ulogujete ponovo." +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +}
\ No newline at end of file diff --git a/apps/files_encryption/lib/proxy.php b/apps/files_encryption/lib/proxy.php index be21857beaf..07fd878f069 100644 --- a/apps/files_encryption/lib/proxy.php +++ b/apps/files_encryption/lib/proxy.php @@ -58,6 +58,15 @@ class Proxy extends \OC_FileProxy { $parts = explode('/', $normalizedPath); // we only encrypt/decrypt files in the files and files_versions folder + if (sizeof($parts) < 3) { + /** + * Less then 3 parts means, we can't match: + * - /{$uid}/files/* nor + * - /{$uid}/files_versions/* + * So this is not a path we are looking for. + */ + return true; + } if( !($parts[2] === 'files' && \OCP\User::userExists($parts[1])) && !($parts[2] === 'files_versions' && \OCP\User::userExists($parts[1]))) { diff --git a/apps/files_encryption/lib/util.php b/apps/files_encryption/lib/util.php index 1b140822724..c1f273d86ed 100644 --- a/apps/files_encryption/lib/util.php +++ b/apps/files_encryption/lib/util.php @@ -734,7 +734,7 @@ class Util { } if ($successful) { - $this->backupAllKeys('decryptAll'); + $this->backupAllKeys('decryptAll', false, false); $this->view->deleteAll($this->keysPath); } @@ -1495,16 +1495,61 @@ class Util { /** * create a backup of all keys from the user * - * @param string $purpose (optional) define the purpose of the backup, will be part of the backup folder + * @param string $purpose define the purpose of the backup, will be part of the backup folder name + * @param boolean $timestamp (optional) should a timestamp be added, default true + * @param boolean $includeUserKeys (optional) include users private-/public-key, default true */ - public function backupAllKeys($purpose = '') { + public function backupAllKeys($purpose, $timestamp = true, $includeUserKeys = true) { $this->userId; - $backupDir = $this->encryptionDir . '/backup.'; - $backupDir .= ($purpose === '') ? date("Y-m-d_H-i-s") . '/' : $purpose . '.' . date("Y-m-d_H-i-s") . '/'; + $backupDir = $this->encryptionDir . '/backup.' . $purpose; + $backupDir .= ($timestamp) ? '.' . date("Y-m-d_H-i-s") . '/' : '/'; $this->view->mkdir($backupDir); $this->view->copy($this->keysPath, $backupDir . 'keys/'); - $this->view->copy($this->privateKeyPath, $backupDir . $this->userId . '.privateKey'); - $this->view->copy($this->publicKeyPath, $backupDir . $this->userId . '.publicKey'); + if ($includeUserKeys) { + $this->view->copy($this->privateKeyPath, $backupDir . $this->userId . '.privateKey'); + $this->view->copy($this->publicKeyPath, $backupDir . $this->userId . '.publicKey'); + } + } + + /** + * restore backup + * + * @param string $backup complete name of the backup + * @return boolean + */ + public function restoreBackup($backup) { + $backupDir = $this->encryptionDir . '/backup.' . $backup . '/'; + + $fileKeysRestored = $this->view->rename($backupDir . 'keys', $this->encryptionDir . '/keys'); + + $pubKeyRestored = $privKeyRestored = true; + if ( + $this->view->file_exists($backupDir . $this->userId . '.privateKey') && + $this->view->file_exists($backupDir . $this->userId . '.privateKey') + ) { + + $pubKeyRestored = $this->view->rename($backupDir . $this->userId . '.publicKey', $this->publicKeyPath); + $privKeyRestored = $this->view->rename($backupDir . $this->userId . '.privateKey', $this->privateKeyPath); + } + + if ($fileKeysRestored && $pubKeyRestored && $privKeyRestored) { + $this->view->deleteAll($backupDir); + + return true; + } + + return false; + } + + /** + * delete backup + * + * @param string $backup complete name of the backup + * @return boolean + */ + public function deleteBackup($backup) { + $backupDir = $this->encryptionDir . '/backup.' . $backup . '/'; + return $this->view->deleteAll($backupDir); } /** diff --git a/apps/files_encryption/tests/util.php b/apps/files_encryption/tests/util.php index 4e0b4f2d0de..f9ee005e95f 100755 --- a/apps/files_encryption/tests/util.php +++ b/apps/files_encryption/tests/util.php @@ -27,7 +27,7 @@ class Util extends TestCase { * @var \OC\Files\View */ public $view; - public $keyfilesPath; + public $keysPath; public $publicKeyPath; public $privateKeyPath; /** @@ -379,8 +379,6 @@ class Util extends TestCase { $this->assertTrue($this->view->is_dir($backupPath . '/keys')); $this->assertTrue($this->view->file_exists($backupPath . '/keys/' . $filename . '/fileKey')); $this->assertTrue($this->view->file_exists($backupPath . '/keys/' . $filename . '/' . $user . '.shareKey')); - $this->assertTrue($this->view->file_exists($backupPath . '/' . $user . '.privateKey')); - $this->assertTrue($this->view->file_exists($backupPath . '/' . $user . '.publicKey')); // cleanup $this->view->unlink($this->userId . '/files/' . $filename); @@ -389,21 +387,27 @@ class Util extends TestCase { } - /** - * test if all keys get moved to the backup folder correctly - */ - function testBackupAllKeys() { - self::loginHelper(self::TEST_ENCRYPTION_UTIL_USER1); - + private function createDummyKeysForBackupTest() { // create some dummy key files $encPath = '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '/files_encryption'; $this->view->mkdir($encPath . '/keys/foo'); $this->view->file_put_contents($encPath . '/keys/foo/fileKey', 'key'); $this->view->file_put_contents($encPath . '/keys/foo/user1.shareKey', 'share key'); + } + + /** + * test if all keys get moved to the backup folder correctly + * + * @dataProvider dataBackupAllKeys + */ + function testBackupAllKeys($addTimestamp, $includeUserKeys) { + self::loginHelper(self::TEST_ENCRYPTION_UTIL_USER1); + + $this->createDummyKeysForBackupTest(); $util = new \OCA\Files_Encryption\Util($this->view, self::TEST_ENCRYPTION_UTIL_USER1); - $util->backupAllKeys('testBackupAllKeys'); + $util->backupAllKeys('testBackupAllKeys', $addTimestamp, $includeUserKeys); $backupPath = $this->getBackupPath('testBackupAllKeys'); @@ -412,15 +416,80 @@ class Util extends TestCase { $this->assertTrue($this->view->is_dir($backupPath . '/keys/foo')); $this->assertTrue($this->view->file_exists($backupPath . '/keys/foo/fileKey')); $this->assertTrue($this->view->file_exists($backupPath . '/keys/foo/user1.shareKey')); - $this->assertTrue($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.privateKey')); - $this->assertTrue($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.publicKey')); + + if ($includeUserKeys) { + $this->assertTrue($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.privateKey')); + $this->assertTrue($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.publicKey')); + } else { + $this->assertFalse($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.privateKey')); + $this->assertFalse($this->view->file_exists($backupPath . '/' . self::TEST_ENCRYPTION_UTIL_USER1 . '.publicKey')); + } //cleanup $this->view->deleteAll($backupPath); - $this->view->unlink($encPath . '/keys/foo/fileKey'); - $this->view->unlink($encPath . '/keys/foo/user1.shareKey'); + $this->view->unlink($this->encryptionDir . '/keys/foo/fileKey'); + $this->view->unlink($this->encryptionDir . '/keys/foo/user1.shareKey'); } + function dataBackupAllKeys() { + return array( + array(true, true), + array(false, true), + array(true, false), + array(false, false), + ); + } + + + /** + * @dataProvider dataBackupAllKeys + */ + function testRestoreBackup($addTimestamp, $includeUserKeys) { + + $util = new \OCA\Files_Encryption\Util($this->view, self::TEST_ENCRYPTION_UTIL_USER1); + $this->createDummyKeysForBackupTest(); + + $util->backupAllKeys('restoreKeysBackupTest', $addTimestamp, $includeUserKeys); + $this->view->deleteAll($this->keysPath); + if ($includeUserKeys) { + $this->view->unlink($this->privateKeyPath); + $this->view->unlink($this->publicKeyPath); + } + + // key should be removed after backup was created + $this->assertFalse($this->view->is_dir($this->keysPath)); + if ($includeUserKeys) { + $this->assertFalse($this->view->file_exists($this->privateKeyPath)); + $this->assertFalse($this->view->file_exists($this->publicKeyPath)); + } + + $backupPath = $this->getBackupPath('restoreKeysBackupTest'); + $backupName = substr(basename($backupPath), strlen('backup.')); + + $this->assertTrue($util->restoreBackup($backupName)); + + // check if all keys are restored + $this->assertFalse($this->view->is_dir($backupPath)); + $this->assertTrue($this->view->is_dir($this->keysPath)); + $this->assertTrue($this->view->is_dir($this->keysPath . '/foo')); + $this->assertTrue($this->view->file_exists($this->keysPath . '/foo/fileKey')); + $this->assertTrue($this->view->file_exists($this->keysPath . '/foo/user1.shareKey')); + $this->assertTrue($this->view->file_exists($this->privateKeyPath)); + $this->assertTrue($this->view->file_exists($this->publicKeyPath)); + } + + function testDeleteBackup() { + $util = new \OCA\Files_Encryption\Util($this->view, self::TEST_ENCRYPTION_UTIL_USER1); + $this->createDummyKeysForBackupTest(); + + $util->backupAllKeys('testDeleteBackup', false, false); + + $this->assertTrue($this->view->is_dir($this->encryptionDir . '/backup.testDeleteBackup')); + + $util->deleteBackup('testDeleteBackup'); + + $this->assertFalse($this->view->is_dir($this->encryptionDir . '/backup.testDeleteBackup')); + } function testDescryptAllWithBrokenFiles() { diff --git a/apps/files_external/appinfo/info.xml b/apps/files_external/appinfo/info.xml index f23dea83caa..faf1036dbf2 100644 --- a/apps/files_external/appinfo/info.xml +++ b/apps/files_external/appinfo/info.xml @@ -14,6 +14,7 @@ <documentation> <admin>admin-external-storage</admin> </documentation> + <rememberlogin>false</rememberlogin> <types> <filesystem/> </types> diff --git a/apps/files_external/l10n/cs_CZ.js b/apps/files_external/l10n/cs_CZ.js index ad78b171a5e..561dbc3d29e 100644 --- a/apps/files_external/l10n/cs_CZ.js +++ b/apps/files_external/l10n/cs_CZ.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> cURL podpora v PHP není povolena nebo nainstalována. Není možné připojení %s. Prosím požádejte svého správce systému ať ji nainstaluje.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> FTP podpora v PHP není povolena nebo nainstalována. Není možné připojení %s. Prosím požádejte svého správce systému ať ji nainstaluje.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> \"%s\" není instalováno. Není možné připojení %s. Prosím požádejte svého správce systému o instalaci.", + "No external storage configured" : "Není nakonfigurováno žádné externí úložiště", "You can configure external storages in the personal settings" : "Externí úložiště můžete spravovat v osobním nastavení", "Name" : "Název", "Storage type" : "Typ úložiště", diff --git a/apps/files_external/l10n/cs_CZ.json b/apps/files_external/l10n/cs_CZ.json index 8bf95b063c3..1af24e3c410 100644 --- a/apps/files_external/l10n/cs_CZ.json +++ b/apps/files_external/l10n/cs_CZ.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> cURL podpora v PHP není povolena nebo nainstalována. Není možné připojení %s. Prosím požádejte svého správce systému ať ji nainstaluje.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> FTP podpora v PHP není povolena nebo nainstalována. Není možné připojení %s. Prosím požádejte svého správce systému ať ji nainstaluje.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Poznámka:</b> \"%s\" není instalováno. Není možné připojení %s. Prosím požádejte svého správce systému o instalaci.", + "No external storage configured" : "Není nakonfigurováno žádné externí úložiště", "You can configure external storages in the personal settings" : "Externí úložiště můžete spravovat v osobním nastavení", "Name" : "Název", "Storage type" : "Typ úložiště", diff --git a/apps/files_external/l10n/da.js b/apps/files_external/l10n/da.js index 792349b8970..00ccc703ffc 100644 --- a/apps/files_external/l10n/da.js +++ b/apps/files_external/l10n/da.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> cURL-understøttelsen i PHP er enten ikke aktiveret eller installeret. Monteringen af %s er ikke mulig. Anmod din systemadministrator om at installere det.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> FTP understøttelsen i PHP er enten ikke aktiveret eller installeret. Montering af %s er ikke muligt. Anmod din systemadministrator om at installere det.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> \"%s\" er ikke installeret. Monteringen af %s er ikke mulig. Anmod din systemadministrator om at installere det.", + "No external storage configured" : "Der er ingen konfigurerede eksterne lagre", "You can configure external storages in the personal settings" : "Du kan konfigurere eksterne lagerenheder i de personlige indstillinger", "Name" : "Navn", "Storage type" : "Lagertype", diff --git a/apps/files_external/l10n/da.json b/apps/files_external/l10n/da.json index 6326e5ac875..60ca2a33c97 100644 --- a/apps/files_external/l10n/da.json +++ b/apps/files_external/l10n/da.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> cURL-understøttelsen i PHP er enten ikke aktiveret eller installeret. Monteringen af %s er ikke mulig. Anmod din systemadministrator om at installere det.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> FTP understøttelsen i PHP er enten ikke aktiveret eller installeret. Montering af %s er ikke muligt. Anmod din systemadministrator om at installere det.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Bemærk:</b> \"%s\" er ikke installeret. Monteringen af %s er ikke mulig. Anmod din systemadministrator om at installere det.", + "No external storage configured" : "Der er ingen konfigurerede eksterne lagre", "You can configure external storages in the personal settings" : "Du kan konfigurere eksterne lagerenheder i de personlige indstillinger", "Name" : "Navn", "Storage type" : "Lagertype", diff --git a/apps/files_external/l10n/de.js b/apps/files_external/l10n/de.js index 11d306798f2..f188e8dc9fe 100644 --- a/apps/files_external/l10n/de.js +++ b/apps/files_external/l10n/de.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an Deinen Systemadministrator.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich sich zur Installation an Deinen Systemadministrator.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> \"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich sich zur Installation an Deinen Systemadministrator.", + "No external storage configured" : "Kein externer Speicher konfiguriert", "You can configure external storages in the personal settings" : "Du kannst externe Speicher in den persönlichen Einstellungen konfigurieren", "Name" : "Name", "Storage type" : "Du hast noch keinen externen Speicher", diff --git a/apps/files_external/l10n/de.json b/apps/files_external/l10n/de.json index 67f33ac9f27..d9d8bd70c77 100644 --- a/apps/files_external/l10n/de.json +++ b/apps/files_external/l10n/de.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an Deinen Systemadministrator.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich sich zur Installation an Deinen Systemadministrator.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> \"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich sich zur Installation an Deinen Systemadministrator.", + "No external storage configured" : "Kein externer Speicher konfiguriert", "You can configure external storages in the personal settings" : "Du kannst externe Speicher in den persönlichen Einstellungen konfigurieren", "Name" : "Name", "Storage type" : "Du hast noch keinen externen Speicher", diff --git a/apps/files_external/l10n/de_DE.js b/apps/files_external/l10n/de_DE.js index fe0516ea3bc..17061d5bdbd 100644 --- a/apps/files_external/l10n/de_DE.js +++ b/apps/files_external/l10n/de_DE.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> \"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", + "No external storage configured" : "Kein externer Speicher konfiguriert", "You can configure external storages in the personal settings" : "Sie können externe Speicher in den persönlichen Einstellungen konfigurieren", "Name" : "Name", "Storage type" : "Speichertyp", diff --git a/apps/files_external/l10n/de_DE.json b/apps/files_external/l10n/de_DE.json index ef493ca5317..77bb3b19c49 100644 --- a/apps/files_external/l10n/de_DE.json +++ b/apps/files_external/l10n/de_DE.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> Die FTP Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Hinweis:</b> \"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Systemadministrator.", + "No external storage configured" : "Kein externer Speicher konfiguriert", "You can configure external storages in the personal settings" : "Sie können externe Speicher in den persönlichen Einstellungen konfigurieren", "Name" : "Name", "Storage type" : "Speichertyp", diff --git a/apps/files_external/l10n/en_GB.js b/apps/files_external/l10n/en_GB.js index da9b26f5789..a3772abdfd5 100644 --- a/apps/files_external/l10n/en_GB.js +++ b/apps/files_external/l10n/en_GB.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it.", + "No external storage configured" : "No external storage configured", "You can configure external storages in the personal settings" : "You can configure external storage in the personal settings", "Name" : "Name", "Storage type" : "Storage type", diff --git a/apps/files_external/l10n/en_GB.json b/apps/files_external/l10n/en_GB.json index e3962d252c8..21a5881c94e 100644 --- a/apps/files_external/l10n/en_GB.json +++ b/apps/files_external/l10n/en_GB.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it.", + "No external storage configured" : "No external storage configured", "You can configure external storages in the personal settings" : "You can configure external storage in the personal settings", "Name" : "Name", "Storage type" : "Storage type", diff --git a/apps/files_external/l10n/es.js b/apps/files_external/l10n/es.js index 12cc5afa3a8..55e8af1b081 100644 --- a/apps/files_external/l10n/es.js +++ b/apps/files_external/l10n/es.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> El soporte de cURL en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> El soporte de FTP en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" no está instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", + "No external storage configured" : "No hay ningún almacenamiento externo configurado", "You can configure external storages in the personal settings" : "Puede configurar almacenamientos externos en su configuración personal", "Name" : "Nombre", "Storage type" : "Tipo de almacenamiento", diff --git a/apps/files_external/l10n/es.json b/apps/files_external/l10n/es.json index 58656aad116..6d5d9714a4a 100644 --- a/apps/files_external/l10n/es.json +++ b/apps/files_external/l10n/es.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> El soporte de cURL en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> El soporte de FTP en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" no está instalado. No se puede montar %s. Pídale al administrador de sistema que lo instale.", + "No external storage configured" : "No hay ningún almacenamiento externo configurado", "You can configure external storages in the personal settings" : "Puede configurar almacenamientos externos en su configuración personal", "Name" : "Nombre", "Storage type" : "Tipo de almacenamiento", diff --git a/apps/files_external/l10n/fi_FI.js b/apps/files_external/l10n/fi_FI.js index 368c3703193..c446c50b41c 100644 --- a/apps/files_external/l10n/fi_FI.js +++ b/apps/files_external/l10n/fi_FI.js @@ -9,17 +9,31 @@ OC.L10N.register( "Location" : "Sijainti", "Amazon S3" : "Amazon S3", "Key" : "Avain", + "Secret" : "Salaisuus", "Amazon S3 and compliant" : "Amazon S3 ja yhteensopivat", + "Access Key" : "Käyttöavain", + "Secret Key" : "Sala-avain", "Port" : "Portti", "Region" : "Alue", "Enable SSL" : "Käytä SSL:ää", + "App key" : "Sovellusavain", + "App secret" : "Sovellussalaisuus", "Host" : "Isäntä", "Username" : "Käyttäjätunnus", "Password" : "Salasana", "Remote subfolder" : "Etäalikansio", "Secure ftps://" : "Salattu ftps://", + "Client ID" : "Asiakkaan tunniste", + "Client secret" : "Asiakassalaisuus", + "OpenStack Object Storage" : "OpenStack Object Storage", + "Region (optional for OpenStack Object Storage)" : "Alue (valinnainen OpenStack Object Storagen käyttöön)", + "API Key (required for Rackspace Cloud Files)" : "API-avain (vaaditaan Rackspace Cloud Filesin käyttöön)", + "Tenantname (required for OpenStack Object Storage)" : "Vuokralaisnimi (vaaditaan OpenStack Object Storagen käyttöön)", + "Password (required for OpenStack Object Storage)" : "Salasana (vaaditaan OpenStack Object Storagen käyttöön)", + "Service Name (required for OpenStack Object Storage)" : "Palvelun nimi (vaaditaan OpenStack Object Storagen käyttöön)", "Timeout of HTTP requests in seconds" : "HTTP-pyyntöjen aikakatkaisu sekunneissa", "Share" : "Jaa", + "SMB / CIFS using OC login" : "SMB / CIFS käyttäen OC-kirjautumista", "Username as share" : "Käyttäjänimi jakona", "URL" : "Verkko-osoite", "Secure https://" : "Salattu https://", @@ -37,6 +51,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> PHP:n cURL-tuki ei ole käytössä tai sitä ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää ottamaan cURL-tuki käyttöön.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> PHP:n FTP-tuki ei ole käytössä tai sitä ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää ottamaan FTP-tuki käyttöön.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> \"%s\" ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää asentamaan puuttuva kohde.", + "No external storage configured" : "Erillistä tallennustilaa ei ole määritetty", "You can configure external storages in the personal settings" : "Voit määrittää erillisten tallennustilojen asetukset henkilökohtaisissa asetuksissasi", "Name" : "Nimi", "Storage type" : "Tallennustilan tyyppi", diff --git a/apps/files_external/l10n/fi_FI.json b/apps/files_external/l10n/fi_FI.json index a15880da7db..c09b8bda1ba 100644 --- a/apps/files_external/l10n/fi_FI.json +++ b/apps/files_external/l10n/fi_FI.json @@ -7,17 +7,31 @@ "Location" : "Sijainti", "Amazon S3" : "Amazon S3", "Key" : "Avain", + "Secret" : "Salaisuus", "Amazon S3 and compliant" : "Amazon S3 ja yhteensopivat", + "Access Key" : "Käyttöavain", + "Secret Key" : "Sala-avain", "Port" : "Portti", "Region" : "Alue", "Enable SSL" : "Käytä SSL:ää", + "App key" : "Sovellusavain", + "App secret" : "Sovellussalaisuus", "Host" : "Isäntä", "Username" : "Käyttäjätunnus", "Password" : "Salasana", "Remote subfolder" : "Etäalikansio", "Secure ftps://" : "Salattu ftps://", + "Client ID" : "Asiakkaan tunniste", + "Client secret" : "Asiakassalaisuus", + "OpenStack Object Storage" : "OpenStack Object Storage", + "Region (optional for OpenStack Object Storage)" : "Alue (valinnainen OpenStack Object Storagen käyttöön)", + "API Key (required for Rackspace Cloud Files)" : "API-avain (vaaditaan Rackspace Cloud Filesin käyttöön)", + "Tenantname (required for OpenStack Object Storage)" : "Vuokralaisnimi (vaaditaan OpenStack Object Storagen käyttöön)", + "Password (required for OpenStack Object Storage)" : "Salasana (vaaditaan OpenStack Object Storagen käyttöön)", + "Service Name (required for OpenStack Object Storage)" : "Palvelun nimi (vaaditaan OpenStack Object Storagen käyttöön)", "Timeout of HTTP requests in seconds" : "HTTP-pyyntöjen aikakatkaisu sekunneissa", "Share" : "Jaa", + "SMB / CIFS using OC login" : "SMB / CIFS käyttäen OC-kirjautumista", "Username as share" : "Käyttäjänimi jakona", "URL" : "Verkko-osoite", "Secure https://" : "Salattu https://", @@ -35,6 +49,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> PHP:n cURL-tuki ei ole käytössä tai sitä ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää ottamaan cURL-tuki käyttöön.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> PHP:n FTP-tuki ei ole käytössä tai sitä ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää ottamaan FTP-tuki käyttöön.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Huomio:</b> \"%s\" ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää asentamaan puuttuva kohde.", + "No external storage configured" : "Erillistä tallennustilaa ei ole määritetty", "You can configure external storages in the personal settings" : "Voit määrittää erillisten tallennustilojen asetukset henkilökohtaisissa asetuksissasi", "Name" : "Nimi", "Storage type" : "Tallennustilan tyyppi", diff --git a/apps/files_external/l10n/fr.js b/apps/files_external/l10n/fr.js index f88e0134a17..cb26cfddcac 100644 --- a/apps/files_external/l10n/fr.js +++ b/apps/files_external/l10n/fr.js @@ -12,8 +12,8 @@ OC.L10N.register( "Amazon S3" : "Amazon S3", "Key" : "Clé", "Secret" : "Secret", - "Bucket" : "Seau", - "Amazon S3 and compliant" : "Compatible avec Amazon S3", + "Bucket" : "Bucket", + "Amazon S3 and compliant" : "Amazon S3 et compatibles", "Access Key" : "Clé d'accès", "Secret Key" : "Clé secrète", "Hostname" : "Nom de l'hôte", @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention :</b> La prise en charge de cURL par PHP n'est pas activée ou installée. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention : </b> La prise en charge du FTP par PHP n'est pas activée ou installée. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention : </b> \"%s\" n'est pas installé. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", + "No external storage configured" : "Aucun stockage externe configuré", "You can configure external storages in the personal settings" : "Vous pouvez configurer vos stockages externes dans les paramètres personnels.", "Name" : "Nom", "Storage type" : "Type de support de stockage", diff --git a/apps/files_external/l10n/fr.json b/apps/files_external/l10n/fr.json index 77f810ba5c2..5b37d312111 100644 --- a/apps/files_external/l10n/fr.json +++ b/apps/files_external/l10n/fr.json @@ -10,8 +10,8 @@ "Amazon S3" : "Amazon S3", "Key" : "Clé", "Secret" : "Secret", - "Bucket" : "Seau", - "Amazon S3 and compliant" : "Compatible avec Amazon S3", + "Bucket" : "Bucket", + "Amazon S3 and compliant" : "Amazon S3 et compatibles", "Access Key" : "Clé d'accès", "Secret Key" : "Clé secrète", "Hostname" : "Nom de l'hôte", @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention :</b> La prise en charge de cURL par PHP n'est pas activée ou installée. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention : </b> La prise en charge du FTP par PHP n'est pas activée ou installée. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Attention : </b> \"%s\" n'est pas installé. Le montage de %s n'est pas possible. Contactez votre administrateur système pour l'installer.", + "No external storage configured" : "Aucun stockage externe configuré", "You can configure external storages in the personal settings" : "Vous pouvez configurer vos stockages externes dans les paramètres personnels.", "Name" : "Nom", "Storage type" : "Type de support de stockage", diff --git a/apps/files_external/l10n/it.js b/apps/files_external/l10n/it.js index bb9e59ded4f..af26cabed76 100644 --- a/apps/files_external/l10n/it.js +++ b/apps/files_external/l10n/it.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> il supporto a cURL di PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> il supporto a FTP in PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" non è installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", + "No external storage configured" : "Nessuna archiviazione esterna configurata", "You can configure external storages in the personal settings" : "Puoi configurare archiviazioni esterno nelle impostazioni personali", "Name" : "Nome", "Storage type" : "Tipo di archiviazione", diff --git a/apps/files_external/l10n/it.json b/apps/files_external/l10n/it.json index dde956a3f6e..678eb4c4b10 100644 --- a/apps/files_external/l10n/it.json +++ b/apps/files_external/l10n/it.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> il supporto a cURL di PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> il supporto a FTP in PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" non è installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", + "No external storage configured" : "Nessuna archiviazione esterna configurata", "You can configure external storages in the personal settings" : "Puoi configurare archiviazioni esterno nelle impostazioni personali", "Name" : "Nome", "Storage type" : "Tipo di archiviazione", diff --git a/apps/files_external/l10n/nl.js b/apps/files_external/l10n/nl.js index a2ed0300ab2..e50b5eb5a39 100644 --- a/apps/files_external/l10n/nl.js +++ b/apps/files_external/l10n/nl.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> Curl ondersteuning in PHP is niet geactiveerd of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw systeembeheerder dit te installeren.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> FTP ondersteuning in PHP is niet geactiveerd of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw beheerder dit te installeren.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> \"%s\" is niet geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw beheerder om dit te installeren.", + "No external storage configured" : "Geen externe opslag geconfigureerd", "You can configure external storages in the personal settings" : "U kunt externe opslag configureren in persoonlijke instellingen", "Name" : "Naam", "Storage type" : "Opslagtype", diff --git a/apps/files_external/l10n/nl.json b/apps/files_external/l10n/nl.json index ac45c04459a..d6851215c59 100644 --- a/apps/files_external/l10n/nl.json +++ b/apps/files_external/l10n/nl.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> Curl ondersteuning in PHP is niet geactiveerd of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw systeembeheerder dit te installeren.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> FTP ondersteuning in PHP is niet geactiveerd of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw beheerder dit te installeren.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Let op:</b> \"%s\" is niet geïnstalleerd. Mounten van %s is niet mogelijk. Vraag uw beheerder om dit te installeren.", + "No external storage configured" : "Geen externe opslag geconfigureerd", "You can configure external storages in the personal settings" : "U kunt externe opslag configureren in persoonlijke instellingen", "Name" : "Naam", "Storage type" : "Opslagtype", diff --git a/apps/files_external/l10n/pt_BR.js b/apps/files_external/l10n/pt_BR.js index 52d76f4994e..6a46c8778d6 100644 --- a/apps/files_external/l10n/pt_BR.js +++ b/apps/files_external/l10n/pt_BR.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> O suporte cURL do PHP não está habilitado ou instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> O suporte FTP no PHP não está habilitado ou instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" não está instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", + "No external storage configured" : "Nenhum armazendo externo foi configurado", "You can configure external storages in the personal settings" : "Você pode configurar armazenamentos externos nas configurações pessoais", "Name" : "Nome", "Storage type" : "Tipo de armazenamento", diff --git a/apps/files_external/l10n/pt_BR.json b/apps/files_external/l10n/pt_BR.json index c6341992046..52b1827e1e7 100644 --- a/apps/files_external/l10n/pt_BR.json +++ b/apps/files_external/l10n/pt_BR.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> O suporte cURL do PHP não está habilitado ou instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> O suporte FTP no PHP não está habilitado ou instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Nota:</b> \"%s\" não está instalado. Montagem de %s não é possível. Por favor, solicite ao seu administrador do sistema para instalá-lo.", + "No external storage configured" : "Nenhum armazendo externo foi configurado", "You can configure external storages in the personal settings" : "Você pode configurar armazenamentos externos nas configurações pessoais", "Name" : "Nome", "Storage type" : "Tipo de armazenamento", diff --git a/apps/files_external/l10n/pt_PT.js b/apps/files_external/l10n/pt_PT.js index c166339cf81..05c41ad4c7e 100644 --- a/apps/files_external/l10n/pt_PT.js +++ b/apps/files_external/l10n/pt_PT.js @@ -1,36 +1,36 @@ OC.L10N.register( "files_external", { - "Fetching request tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de solicitação falhou. Verifique se a sua chave de aplicativo Dropbox e o segredo estão corretos.", - "Fetching access tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de solicitação falhou. Verifique se a sua chave de aplicativo Dropbox e o segredo estão corretos.", - "Please provide a valid Dropbox app key and secret." : "Por favor forneça uma \"app key\" e \"secret\" do Dropbox válidas.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Excepção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Excepção: %s", + "Fetching request tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de obtenção falhou. Verifique se a sua chave da app Dropbox e o segredo estão corretos.", + "Fetching access tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de obtenção falhou. Verifique se a sua chave da app Dropbox e o segredo estão corretos.", + "Please provide a valid Dropbox app key and secret." : "Por favor, forneça uma chave da app e o segredo da Dropbox válidos.", + "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", + "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", "External storage" : "Armazenamento Externo", "Local" : "Local", - "Location" : "Local", + "Location" : "Localização:", "Amazon S3" : "Amazon S3", "Key" : "Chave", "Secret" : "Secreto", "Bucket" : "Bucket", "Amazon S3 and compliant" : "Amazon S3 e compatível", - "Access Key" : "Chave de acesso", + "Access Key" : "Chave de Acesso", "Secret Key" : "Chave Secreta", - "Hostname" : "Hostname", + "Hostname" : "Nome do Anfitrião", "Port" : "Porta", "Region" : "Região", - "Enable SSL" : "Activar SSL", + "Enable SSL" : "Ativar SSL", "Enable Path Style" : "Ativar Estilo do Caminho", - "App key" : "Chave da aplicação", + "App key" : "Chave da App", "App secret" : "Chave secreta da aplicação", - "Host" : "Endereço", + "Host" : "Anfitrião", "Username" : "Nome de utilizador", "Password" : "Palavra-passe", - "Remote subfolder" : "Sub-pasta remota ", + "Remote subfolder" : "Subpasta remota ", "Secure ftps://" : "ftps:// Seguro", - "Client ID" : "ID Cliente", + "Client ID" : "Id. do Cliente", "Client secret" : "Segredo do cliente", - "OpenStack Object Storage" : "Armazenamento de objetos OpenStack", + "OpenStack Object Storage" : "Armazenamento de Objetos OpenStack", "Region (optional for OpenStack Object Storage)" : "Região (opcional para OpenStack Object Storage)", "API Key (required for Rackspace Cloud Files)" : "Chave API (necessário para Rackspace Cloud File)", "Tenantname (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", @@ -38,7 +38,7 @@ OC.L10N.register( "Service Name (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", "URL of identity endpoint (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", "Timeout of HTTP requests in seconds" : "Timeout de pedidos HTTP em segundos", - "Share" : "Partilhar", + "Share" : "Compartilhar", "SMB / CIFS using OC login" : "SMB / CIFS utilizando o início de sessão OC", "Username as share" : "Utilizar nome de utilizador como partilha", "URL" : "URL", @@ -49,14 +49,15 @@ OC.L10N.register( "Error configuring Google Drive storage" : "Erro ao configurar o armazenamento do Google Drive", "Personal" : "Pessoal", "System" : "Sistema", - "All users. Type to select user or group." : "Todos os utilizadores. Digite para seleccionar utilizador ou grupo.", + "All users. Type to select user or group." : "Todos os utilizadores. Digite para selecionar o utilizador ou grupo.", "(group)" : "(grupo)", "Saved" : "Guardado", - "<b>Note:</b> " : "<b>Aviso:</b> ", + "<b>Note:</b> " : "<b>Nota:</b> ", "and" : "e", "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O suporte cURL no PHP não está activo ou instalado. Não é possível montar %s. Peça ao seu administrador para instalar.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O suporte FTP no PHP não está activo ou instalado. Não é possível montar %s. Peça ao seu administrador para instalar.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O cliente\"%s\" não está instalado. Não é possível montar \"%s\" . Peça ao seu administrador para instalar.", + "No external storage configured" : "Sem armazenamentos externos configurados", "You can configure external storages in the personal settings" : "Pode configurar os armazenamentos externos nas definições pessoais", "Name" : "Nome", "Storage type" : "Tipo de Armazenamento", @@ -66,8 +67,8 @@ OC.L10N.register( "Configuration" : "Configuração", "Available for" : "Disponível para ", "Add storage" : "Adicionar armazenamento", - "Delete" : "Eliminar", - "Enable User External Storage" : "Activar Armazenamento Externo para o Utilizador", + "Delete" : "Apagar", + "Enable User External Storage" : "Ativar Armazenamento Externo para o Utilizador", "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/pt_PT.json b/apps/files_external/l10n/pt_PT.json index 67916f44d15..12ea0ce4655 100644 --- a/apps/files_external/l10n/pt_PT.json +++ b/apps/files_external/l10n/pt_PT.json @@ -1,34 +1,34 @@ { "translations": { - "Fetching request tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de solicitação falhou. Verifique se a sua chave de aplicativo Dropbox e o segredo estão corretos.", - "Fetching access tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de solicitação falhou. Verifique se a sua chave de aplicativo Dropbox e o segredo estão corretos.", - "Please provide a valid Dropbox app key and secret." : "Por favor forneça uma \"app key\" e \"secret\" do Dropbox válidas.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Excepção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Excepção: %s", + "Fetching request tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de obtenção falhou. Verifique se a sua chave da app Dropbox e o segredo estão corretos.", + "Fetching access tokens failed. Verify that your Dropbox app key and secret are correct." : "O pedido de obtenção falhou. Verifique se a sua chave da app Dropbox e o segredo estão corretos.", + "Please provide a valid Dropbox app key and secret." : "Por favor, forneça uma chave da app e o segredo da Dropbox válidos.", + "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", + "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", "External storage" : "Armazenamento Externo", "Local" : "Local", - "Location" : "Local", + "Location" : "Localização:", "Amazon S3" : "Amazon S3", "Key" : "Chave", "Secret" : "Secreto", "Bucket" : "Bucket", "Amazon S3 and compliant" : "Amazon S3 e compatível", - "Access Key" : "Chave de acesso", + "Access Key" : "Chave de Acesso", "Secret Key" : "Chave Secreta", - "Hostname" : "Hostname", + "Hostname" : "Nome do Anfitrião", "Port" : "Porta", "Region" : "Região", - "Enable SSL" : "Activar SSL", + "Enable SSL" : "Ativar SSL", "Enable Path Style" : "Ativar Estilo do Caminho", - "App key" : "Chave da aplicação", + "App key" : "Chave da App", "App secret" : "Chave secreta da aplicação", - "Host" : "Endereço", + "Host" : "Anfitrião", "Username" : "Nome de utilizador", "Password" : "Palavra-passe", - "Remote subfolder" : "Sub-pasta remota ", + "Remote subfolder" : "Subpasta remota ", "Secure ftps://" : "ftps:// Seguro", - "Client ID" : "ID Cliente", + "Client ID" : "Id. do Cliente", "Client secret" : "Segredo do cliente", - "OpenStack Object Storage" : "Armazenamento de objetos OpenStack", + "OpenStack Object Storage" : "Armazenamento de Objetos OpenStack", "Region (optional for OpenStack Object Storage)" : "Região (opcional para OpenStack Object Storage)", "API Key (required for Rackspace Cloud Files)" : "Chave API (necessário para Rackspace Cloud File)", "Tenantname (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", @@ -36,7 +36,7 @@ "Service Name (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", "URL of identity endpoint (required for OpenStack Object Storage)" : "Nome do Serviço (necessário para OpenStack Object Storage)", "Timeout of HTTP requests in seconds" : "Timeout de pedidos HTTP em segundos", - "Share" : "Partilhar", + "Share" : "Compartilhar", "SMB / CIFS using OC login" : "SMB / CIFS utilizando o início de sessão OC", "Username as share" : "Utilizar nome de utilizador como partilha", "URL" : "URL", @@ -47,14 +47,15 @@ "Error configuring Google Drive storage" : "Erro ao configurar o armazenamento do Google Drive", "Personal" : "Pessoal", "System" : "Sistema", - "All users. Type to select user or group." : "Todos os utilizadores. Digite para seleccionar utilizador ou grupo.", + "All users. Type to select user or group." : "Todos os utilizadores. Digite para selecionar o utilizador ou grupo.", "(group)" : "(grupo)", "Saved" : "Guardado", - "<b>Note:</b> " : "<b>Aviso:</b> ", + "<b>Note:</b> " : "<b>Nota:</b> ", "and" : "e", "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O suporte cURL no PHP não está activo ou instalado. Não é possível montar %s. Peça ao seu administrador para instalar.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O suporte FTP no PHP não está activo ou instalado. Não é possível montar %s. Peça ao seu administrador para instalar.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Aviso:</b> O cliente\"%s\" não está instalado. Não é possível montar \"%s\" . Peça ao seu administrador para instalar.", + "No external storage configured" : "Sem armazenamentos externos configurados", "You can configure external storages in the personal settings" : "Pode configurar os armazenamentos externos nas definições pessoais", "Name" : "Nome", "Storage type" : "Tipo de Armazenamento", @@ -64,8 +65,8 @@ "Configuration" : "Configuração", "Available for" : "Disponível para ", "Add storage" : "Adicionar armazenamento", - "Delete" : "Eliminar", - "Enable User External Storage" : "Activar Armazenamento Externo para o Utilizador", + "Delete" : "Apagar", + "Enable User External Storage" : "Ativar Armazenamento Externo para o Utilizador", "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_external/l10n/ru.js b/apps/files_external/l10n/ru.js index c909cdccde1..b1e9f0812f5 100644 --- a/apps/files_external/l10n/ru.js +++ b/apps/files_external/l10n/ru.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> Поддержка cURL в PHP не включена или не установлена. Монтирование %s невозможно. Обратитесь к вашему системному администратору.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> Поддержка FTP в PHP не включена или не установлена. Монтирование %s невозможно. Пожалуйста, обратитесь к системному администратору.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> \"%s\" не установлен. Монтирование %s невозможно. Пожалуйста, обратитесь к системному администратору.", + "No external storage configured" : "Нет внешних носителей", "You can configure external storages in the personal settings" : "Вы можете изменить параметры внешних носителей в личных настройках", "Name" : "Имя", "Storage type" : "Тип хранилища", diff --git a/apps/files_external/l10n/ru.json b/apps/files_external/l10n/ru.json index 60acd1630d4..7a0e9aa95ca 100644 --- a/apps/files_external/l10n/ru.json +++ b/apps/files_external/l10n/ru.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> Поддержка cURL в PHP не включена или не установлена. Монтирование %s невозможно. Обратитесь к вашему системному администратору.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> Поддержка FTP в PHP не включена или не установлена. Монтирование %s невозможно. Пожалуйста, обратитесь к системному администратору.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Примечание:</b> \"%s\" не установлен. Монтирование %s невозможно. Пожалуйста, обратитесь к системному администратору.", + "No external storage configured" : "Нет внешних носителей", "You can configure external storages in the personal settings" : "Вы можете изменить параметры внешних носителей в личных настройках", "Name" : "Имя", "Storage type" : "Тип хранилища", diff --git a/apps/files_external/l10n/tr.js b/apps/files_external/l10n/tr.js index 9924f33896f..012e0651f8a 100644 --- a/apps/files_external/l10n/tr.js +++ b/apps/files_external/l10n/tr.js @@ -57,6 +57,7 @@ OC.L10N.register( "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> PHP'de cURL desteği etkin veya kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> PHP'de FTP desteği etkin veya kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> \"%s\" kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", + "No external storage configured" : "Yapılandırılmış harici depolama yok", "You can configure external storages in the personal settings" : "Harici depolamaları kişisel ayarlar içerisinden yapılandırabilirsiniz", "Name" : "Ad", "Storage type" : "Depolama türü", diff --git a/apps/files_external/l10n/tr.json b/apps/files_external/l10n/tr.json index 18fa73142e4..68aed802f7e 100644 --- a/apps/files_external/l10n/tr.json +++ b/apps/files_external/l10n/tr.json @@ -55,6 +55,7 @@ "<b>Note:</b> The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> PHP'de cURL desteği etkin veya kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", "<b>Note:</b> The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> PHP'de FTP desteği etkin veya kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", "<b>Note:</b> \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "<b>Not:</b> \"%s\" kurulu değil. %s bağlaması mümkün olmayacak. Lütfen kurulumu için sistem yöneticilerinizle iletişime geçin.", + "No external storage configured" : "Yapılandırılmış harici depolama yok", "You can configure external storages in the personal settings" : "Harici depolamaları kişisel ayarlar içerisinden yapılandırabilirsiniz", "Name" : "Ad", "Storage type" : "Depolama türü", diff --git a/apps/files_sharing/l10n/af_ZA.js b/apps/files_sharing/l10n/af_ZA.js index 4e05c598353..4a732284a8c 100644 --- a/apps/files_sharing/l10n/af_ZA.js +++ b/apps/files_sharing/l10n/af_ZA.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Kanseleer", + "Share" : "Deel", "Password" : "Wagwoord" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/af_ZA.json b/apps/files_sharing/l10n/af_ZA.json index 1e959e1544a..9ee5e104930 100644 --- a/apps/files_sharing/l10n/af_ZA.json +++ b/apps/files_sharing/l10n/af_ZA.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Kanseleer", + "Share" : "Deel", "Password" : "Wagwoord" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ar.js b/apps/files_sharing/l10n/ar.js index de2b179847a..88b13872ef0 100644 --- a/apps/files_sharing/l10n/ar.js +++ b/apps/files_sharing/l10n/ar.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "إلغاء", + "Share" : "شارك", "Shared by" : "تم مشاركتها بواسطة", "This share is password-protected" : "هذه المشاركة محمية بكلمة مرور", "The password is wrong. Try again." : "كلمة المرور خاطئة. حاول مرة أخرى", diff --git a/apps/files_sharing/l10n/ar.json b/apps/files_sharing/l10n/ar.json index 890035152a2..bfcd3376317 100644 --- a/apps/files_sharing/l10n/ar.json +++ b/apps/files_sharing/l10n/ar.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "إلغاء", + "Share" : "شارك", "Shared by" : "تم مشاركتها بواسطة", "This share is password-protected" : "هذه المشاركة محمية بكلمة مرور", "The password is wrong. Try again." : "كلمة المرور خاطئة. حاول مرة أخرى", diff --git a/apps/files_sharing/l10n/ast.js b/apps/files_sharing/l10n/ast.js index 5c935410b6f..95349a45349 100644 --- a/apps/files_sharing/l10n/ast.js +++ b/apps/files_sharing/l10n/ast.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Encaboxar", "Add remote share" : "Amestar compartición remota", "Invalid ownCloud url" : "Url ownCloud inválida", + "Share" : "Compartir", "Shared by" : "Compartíos por", "This share is password-protected" : "Esta compartición tien contraseña protexida", "The password is wrong. Try again." : "La contraseña ye incorreuta. Inténtalo otra vegada.", diff --git a/apps/files_sharing/l10n/ast.json b/apps/files_sharing/l10n/ast.json index d776a4fefba..e5fe0ee0c5d 100644 --- a/apps/files_sharing/l10n/ast.json +++ b/apps/files_sharing/l10n/ast.json @@ -12,6 +12,7 @@ "Cancel" : "Encaboxar", "Add remote share" : "Amestar compartición remota", "Invalid ownCloud url" : "Url ownCloud inválida", + "Share" : "Compartir", "Shared by" : "Compartíos por", "This share is password-protected" : "Esta compartición tien contraseña protexida", "The password is wrong. Try again." : "La contraseña ye incorreuta. Inténtalo otra vegada.", diff --git a/apps/files_sharing/l10n/az.js b/apps/files_sharing/l10n/az.js index 223fbfdef59..aa4ec130ae7 100644 --- a/apps/files_sharing/l10n/az.js +++ b/apps/files_sharing/l10n/az.js @@ -11,6 +11,7 @@ OC.L10N.register( "Cancel" : "Dayandır", "Add remote share" : "Uzaq yayımlanmanı əlavə et", "Invalid ownCloud url" : "Yalnış ownCloud url-i", + "Share" : "Yayımla", "Shared by" : "Tərəfindən yayımlanıb", "Password" : "Şifrə", "Name" : "Ad", diff --git a/apps/files_sharing/l10n/az.json b/apps/files_sharing/l10n/az.json index 3bd23948fd6..c27f6426525 100644 --- a/apps/files_sharing/l10n/az.json +++ b/apps/files_sharing/l10n/az.json @@ -9,6 +9,7 @@ "Cancel" : "Dayandır", "Add remote share" : "Uzaq yayımlanmanı əlavə et", "Invalid ownCloud url" : "Yalnış ownCloud url-i", + "Share" : "Yayımla", "Shared by" : "Tərəfindən yayımlanıb", "Password" : "Şifrə", "Name" : "Ad", diff --git a/apps/files_sharing/l10n/bg_BG.js b/apps/files_sharing/l10n/bg_BG.js index 6da77164ddc..4681d5ed710 100644 --- a/apps/files_sharing/l10n/bg_BG.js +++ b/apps/files_sharing/l10n/bg_BG.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Отказ", "Add remote share" : "Добави прикачена папка", "Invalid ownCloud url" : "Невалиден ownCloud интернет адрес.", + "Share" : "Сподели", "Shared by" : "Споделено от", "This share is password-protected" : "Тази зона е защитена с парола.", "The password is wrong. Try again." : "Грешна парола. Опитай отново.", diff --git a/apps/files_sharing/l10n/bg_BG.json b/apps/files_sharing/l10n/bg_BG.json index f151698099b..99ccd828e4a 100644 --- a/apps/files_sharing/l10n/bg_BG.json +++ b/apps/files_sharing/l10n/bg_BG.json @@ -12,6 +12,7 @@ "Cancel" : "Отказ", "Add remote share" : "Добави прикачена папка", "Invalid ownCloud url" : "Невалиден ownCloud интернет адрес.", + "Share" : "Сподели", "Shared by" : "Споделено от", "This share is password-protected" : "Тази зона е защитена с парола.", "The password is wrong. Try again." : "Грешна парола. Опитай отново.", diff --git a/apps/files_sharing/l10n/bn_BD.js b/apps/files_sharing/l10n/bn_BD.js index f297d1f7b18..64d27cb8857 100644 --- a/apps/files_sharing/l10n/bn_BD.js +++ b/apps/files_sharing/l10n/bn_BD.js @@ -9,6 +9,7 @@ OC.L10N.register( "Remote share" : "দুরবর্তী ভাগাভাগি", "Cancel" : "বাতিল", "Invalid ownCloud url" : "অবৈধ ওউনক্লাউড url", + "Share" : "ভাগাভাগি কর", "Shared by" : "যাদের মাঝে ভাগাভাগি করা হয়েছে", "This share is password-protected" : "এই শেয়ারটি কূটশব্দদ্বারা সুরক্ষিত", "The password is wrong. Try again." : "কুটশব্দটি ভুল। আবার চেষ্টা করুন।", diff --git a/apps/files_sharing/l10n/bn_BD.json b/apps/files_sharing/l10n/bn_BD.json index cff7925505c..f1d67cfd881 100644 --- a/apps/files_sharing/l10n/bn_BD.json +++ b/apps/files_sharing/l10n/bn_BD.json @@ -7,6 +7,7 @@ "Remote share" : "দুরবর্তী ভাগাভাগি", "Cancel" : "বাতিল", "Invalid ownCloud url" : "অবৈধ ওউনক্লাউড url", + "Share" : "ভাগাভাগি কর", "Shared by" : "যাদের মাঝে ভাগাভাগি করা হয়েছে", "This share is password-protected" : "এই শেয়ারটি কূটশব্দদ্বারা সুরক্ষিত", "The password is wrong. Try again." : "কুটশব্দটি ভুল। আবার চেষ্টা করুন।", diff --git a/apps/files_sharing/l10n/bn_IN.js b/apps/files_sharing/l10n/bn_IN.js index 61694c85575..34d657b12eb 100644 --- a/apps/files_sharing/l10n/bn_IN.js +++ b/apps/files_sharing/l10n/bn_IN.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "বাতিল করা", + "Share" : "শেয়ার", "Name" : "নাম", "Download" : "ডাউনলোড করুন" }, diff --git a/apps/files_sharing/l10n/bn_IN.json b/apps/files_sharing/l10n/bn_IN.json index 344c7677c19..8879de61c23 100644 --- a/apps/files_sharing/l10n/bn_IN.json +++ b/apps/files_sharing/l10n/bn_IN.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "বাতিল করা", + "Share" : "শেয়ার", "Name" : "নাম", "Download" : "ডাউনলোড করুন" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/bs.js b/apps/files_sharing/l10n/bs.js index 9ff10d77a5b..1a0e62a930b 100644 --- a/apps/files_sharing/l10n/bs.js +++ b/apps/files_sharing/l10n/bs.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Odustani", + "Share" : "Dijeli", "Shared by" : "Dijeli", "Password" : "Lozinka", "Name" : "Ime", diff --git a/apps/files_sharing/l10n/bs.json b/apps/files_sharing/l10n/bs.json index c2bfb948e8e..ea6c7082e2c 100644 --- a/apps/files_sharing/l10n/bs.json +++ b/apps/files_sharing/l10n/bs.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Odustani", + "Share" : "Dijeli", "Shared by" : "Dijeli", "Password" : "Lozinka", "Name" : "Ime", diff --git a/apps/files_sharing/l10n/ca.js b/apps/files_sharing/l10n/ca.js index e65956d5f56..08affe3a280 100644 --- a/apps/files_sharing/l10n/ca.js +++ b/apps/files_sharing/l10n/ca.js @@ -13,6 +13,7 @@ OC.L10N.register( "Cancel" : "Cancel·la", "Add remote share" : "Afegeix compartició remota", "Invalid ownCloud url" : "La url d'ownCloud no és vàlida", + "Share" : "Comparteix", "Shared by" : "Compartit per", "This share is password-protected" : "Aquest compartit està protegit amb contrasenya", "The password is wrong. Try again." : "la contrasenya és incorrecta. Intenteu-ho de nou.", diff --git a/apps/files_sharing/l10n/ca.json b/apps/files_sharing/l10n/ca.json index 69e766582c8..feed7ab13b2 100644 --- a/apps/files_sharing/l10n/ca.json +++ b/apps/files_sharing/l10n/ca.json @@ -11,6 +11,7 @@ "Cancel" : "Cancel·la", "Add remote share" : "Afegeix compartició remota", "Invalid ownCloud url" : "La url d'ownCloud no és vàlida", + "Share" : "Comparteix", "Shared by" : "Compartit per", "This share is password-protected" : "Aquest compartit està protegit amb contrasenya", "The password is wrong. Try again." : "la contrasenya és incorrecta. Intenteu-ho de nou.", diff --git a/apps/files_sharing/l10n/cs_CZ.js b/apps/files_sharing/l10n/cs_CZ.js index ebe683ff89f..c401a265a67 100644 --- a/apps/files_sharing/l10n/cs_CZ.js +++ b/apps/files_sharing/l10n/cs_CZ.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Přidat vzdálené úložiště", "No ownCloud installation (7 or higher) found at {remote}" : "Nebyla nalezena instalace ownCloud (7 nebo vyšší) na {remote}", "Invalid ownCloud url" : "Neplatná ownCloud url", + "Share" : "Sdílet", "Shared by" : "Sdílí", "A file or folder was shared from <strong>another server</strong>" : "Soubor nebo složka byla nasdílena z <strong>jiného serveru</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Byl <strong>stažen</strong> veřejně sdílený soubor nebo adresář", diff --git a/apps/files_sharing/l10n/cs_CZ.json b/apps/files_sharing/l10n/cs_CZ.json index 4b3d934132a..2cefff1ebb7 100644 --- a/apps/files_sharing/l10n/cs_CZ.json +++ b/apps/files_sharing/l10n/cs_CZ.json @@ -19,6 +19,7 @@ "Add remote share" : "Přidat vzdálené úložiště", "No ownCloud installation (7 or higher) found at {remote}" : "Nebyla nalezena instalace ownCloud (7 nebo vyšší) na {remote}", "Invalid ownCloud url" : "Neplatná ownCloud url", + "Share" : "Sdílet", "Shared by" : "Sdílí", "A file or folder was shared from <strong>another server</strong>" : "Soubor nebo složka byla nasdílena z <strong>jiného serveru</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Byl <strong>stažen</strong> veřejně sdílený soubor nebo adresář", diff --git a/apps/files_sharing/l10n/cy_GB.js b/apps/files_sharing/l10n/cy_GB.js index 1a8addf1729..015052cbae6 100644 --- a/apps/files_sharing/l10n/cy_GB.js +++ b/apps/files_sharing/l10n/cy_GB.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Diddymu", + "Share" : "Rhannu", "Shared by" : "Rhannwyd gan", "Password" : "Cyfrinair", "Name" : "Enw", diff --git a/apps/files_sharing/l10n/cy_GB.json b/apps/files_sharing/l10n/cy_GB.json index 9eebc50be7d..dad13499601 100644 --- a/apps/files_sharing/l10n/cy_GB.json +++ b/apps/files_sharing/l10n/cy_GB.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Diddymu", + "Share" : "Rhannu", "Shared by" : "Rhannwyd gan", "Password" : "Cyfrinair", "Name" : "Enw", diff --git a/apps/files_sharing/l10n/da.js b/apps/files_sharing/l10n/da.js index 2a5ba4f6a6b..34271d0de14 100644 --- a/apps/files_sharing/l10n/da.js +++ b/apps/files_sharing/l10n/da.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Tilføj ekstern deling", "No ownCloud installation (7 or higher) found at {remote}" : "Der blev ikke nogen ownCloud-installation (7 eller højere) på {remote}", "Invalid ownCloud url" : "Ugyldig ownCloud-URL", + "Share" : "Del", "Shared by" : "Delt af", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mappe blev delt fra <strong>en anden server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En offentligt delt fil eller mappe blev <strong>downloadet</strong>", diff --git a/apps/files_sharing/l10n/da.json b/apps/files_sharing/l10n/da.json index 52ca012bbc4..762a6ade989 100644 --- a/apps/files_sharing/l10n/da.json +++ b/apps/files_sharing/l10n/da.json @@ -19,6 +19,7 @@ "Add remote share" : "Tilføj ekstern deling", "No ownCloud installation (7 or higher) found at {remote}" : "Der blev ikke nogen ownCloud-installation (7 eller højere) på {remote}", "Invalid ownCloud url" : "Ugyldig ownCloud-URL", + "Share" : "Del", "Shared by" : "Delt af", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mappe blev delt fra <strong>en anden server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En offentligt delt fil eller mappe blev <strong>downloadet</strong>", diff --git a/apps/files_sharing/l10n/de.js b/apps/files_sharing/l10n/de.js index 88ccb754456..96510fbc3f5 100644 --- a/apps/files_sharing/l10n/de.js +++ b/apps/files_sharing/l10n/de.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Entfernte Freigabe hinzufügen", "No ownCloud installation (7 or higher) found at {remote}" : "Keine OwnCloud-Installation (7 oder höher) auf {remote} gefunden", "Invalid ownCloud url" : "Ungültige OwnCloud-URL", + "Share" : "Share", "Shared by" : "Geteilt von ", "A file or folder was shared from <strong>another server</strong>" : "Eine Datei oder ein Ordner wurde von <strong>einem anderen Server</strong> geteilt", "A public shared file or folder was <strong>downloaded</strong>" : "Eine öffentlich geteilte Datei oder Ordner wurde <strong>heruntergeladen</strong>", diff --git a/apps/files_sharing/l10n/de.json b/apps/files_sharing/l10n/de.json index 11557269547..58ba73427d0 100644 --- a/apps/files_sharing/l10n/de.json +++ b/apps/files_sharing/l10n/de.json @@ -19,6 +19,7 @@ "Add remote share" : "Entfernte Freigabe hinzufügen", "No ownCloud installation (7 or higher) found at {remote}" : "Keine OwnCloud-Installation (7 oder höher) auf {remote} gefunden", "Invalid ownCloud url" : "Ungültige OwnCloud-URL", + "Share" : "Share", "Shared by" : "Geteilt von ", "A file or folder was shared from <strong>another server</strong>" : "Eine Datei oder ein Ordner wurde von <strong>einem anderen Server</strong> geteilt", "A public shared file or folder was <strong>downloaded</strong>" : "Eine öffentlich geteilte Datei oder Ordner wurde <strong>heruntergeladen</strong>", diff --git a/apps/files_sharing/l10n/de_AT.js b/apps/files_sharing/l10n/de_AT.js index 50b8f406f80..dbef4e1e56a 100644 --- a/apps/files_sharing/l10n/de_AT.js +++ b/apps/files_sharing/l10n/de_AT.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Abbrechen", + "Share" : "Freigeben", "Password" : "Passwort", "Download" : "Herunterladen" }, diff --git a/apps/files_sharing/l10n/de_AT.json b/apps/files_sharing/l10n/de_AT.json index 4f05c28750b..ccb46020bb5 100644 --- a/apps/files_sharing/l10n/de_AT.json +++ b/apps/files_sharing/l10n/de_AT.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Abbrechen", + "Share" : "Freigeben", "Password" : "Passwort", "Download" : "Herunterladen" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/de_DE.js b/apps/files_sharing/l10n/de_DE.js index baf7b182c47..197e41f49e7 100644 --- a/apps/files_sharing/l10n/de_DE.js +++ b/apps/files_sharing/l10n/de_DE.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Entfernte Freigabe hinzufügen", "No ownCloud installation (7 or higher) found at {remote}" : "Keine OwnCloud-Installation (7 oder höher) auf {remote} gefunden", "Invalid ownCloud url" : "Ungültige OwnCloud-Adresse", + "Share" : "Teilen", "Shared by" : "Geteilt von", "A file or folder was shared from <strong>another server</strong>" : "Eine Datei oder Ordner wurde von <strong>einem anderen Server</strong> geteilt", "A public shared file or folder was <strong>downloaded</strong>" : "Eine öffentlich geteilte Datei oder Ordner wurde <strong>heruntergeladen</strong>", diff --git a/apps/files_sharing/l10n/de_DE.json b/apps/files_sharing/l10n/de_DE.json index 78859f87706..f812da438a1 100644 --- a/apps/files_sharing/l10n/de_DE.json +++ b/apps/files_sharing/l10n/de_DE.json @@ -19,6 +19,7 @@ "Add remote share" : "Entfernte Freigabe hinzufügen", "No ownCloud installation (7 or higher) found at {remote}" : "Keine OwnCloud-Installation (7 oder höher) auf {remote} gefunden", "Invalid ownCloud url" : "Ungültige OwnCloud-Adresse", + "Share" : "Teilen", "Shared by" : "Geteilt von", "A file or folder was shared from <strong>another server</strong>" : "Eine Datei oder Ordner wurde von <strong>einem anderen Server</strong> geteilt", "A public shared file or folder was <strong>downloaded</strong>" : "Eine öffentlich geteilte Datei oder Ordner wurde <strong>heruntergeladen</strong>", diff --git a/apps/files_sharing/l10n/el.js b/apps/files_sharing/l10n/el.js index a11b1f7a00f..5a22c305921 100644 --- a/apps/files_sharing/l10n/el.js +++ b/apps/files_sharing/l10n/el.js @@ -16,6 +16,7 @@ OC.L10N.register( "Cancel" : "Άκυρο", "Add remote share" : "Προσθήκη απομακρυσμένου κοινόχρηστου φακέλου", "Invalid ownCloud url" : "Άκυρη url ownCloud ", + "Share" : "Διαμοιράστε", "Shared by" : "Διαμοιράστηκε από", "This share is password-protected" : "Αυτός ο κοινόχρηστος φάκελος προστατεύεται με κωδικό", "The password is wrong. Try again." : "Εσφαλμένος κωδικός πρόσβασης. Προσπαθήστε ξανά.", diff --git a/apps/files_sharing/l10n/el.json b/apps/files_sharing/l10n/el.json index 70b6d1d5ce7..606cd3df636 100644 --- a/apps/files_sharing/l10n/el.json +++ b/apps/files_sharing/l10n/el.json @@ -14,6 +14,7 @@ "Cancel" : "Άκυρο", "Add remote share" : "Προσθήκη απομακρυσμένου κοινόχρηστου φακέλου", "Invalid ownCloud url" : "Άκυρη url ownCloud ", + "Share" : "Διαμοιράστε", "Shared by" : "Διαμοιράστηκε από", "This share is password-protected" : "Αυτός ο κοινόχρηστος φάκελος προστατεύεται με κωδικό", "The password is wrong. Try again." : "Εσφαλμένος κωδικός πρόσβασης. Προσπαθήστε ξανά.", diff --git a/apps/files_sharing/l10n/en_GB.js b/apps/files_sharing/l10n/en_GB.js index 78bf0940a54..8edab575ffa 100644 --- a/apps/files_sharing/l10n/en_GB.js +++ b/apps/files_sharing/l10n/en_GB.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Add remote share", "No ownCloud installation (7 or higher) found at {remote}" : "No ownCloud installation (7 or higher) found at {remote}", "Invalid ownCloud url" : "Invalid ownCloud URL", + "Share" : "Share", "Shared by" : "Shared by", "A file or folder was shared from <strong>another server</strong>" : "A file or folder was shared from <strong>another server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "A public shared file or folder was <strong>downloaded</strong>", diff --git a/apps/files_sharing/l10n/en_GB.json b/apps/files_sharing/l10n/en_GB.json index 25a52e1e13b..cefbd0c52f7 100644 --- a/apps/files_sharing/l10n/en_GB.json +++ b/apps/files_sharing/l10n/en_GB.json @@ -19,6 +19,7 @@ "Add remote share" : "Add remote share", "No ownCloud installation (7 or higher) found at {remote}" : "No ownCloud installation (7 or higher) found at {remote}", "Invalid ownCloud url" : "Invalid ownCloud URL", + "Share" : "Share", "Shared by" : "Shared by", "A file or folder was shared from <strong>another server</strong>" : "A file or folder was shared from <strong>another server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "A public shared file or folder was <strong>downloaded</strong>", diff --git a/apps/files_sharing/l10n/eo.js b/apps/files_sharing/l10n/eo.js index 1053816107c..3f5d36b4003 100644 --- a/apps/files_sharing/l10n/eo.js +++ b/apps/files_sharing/l10n/eo.js @@ -7,6 +7,7 @@ OC.L10N.register( "Shared by link" : "Kunhavata per ligilo", "Cancel" : "Nuligi", "Invalid ownCloud url" : "Nevalidas URL de ownCloud", + "Share" : "Kunhavigi", "Shared by" : "Kunhavigita de", "This share is password-protected" : "Ĉi tiu kunhavigo estas protektata per pasvorto", "The password is wrong. Try again." : "La pasvorto malĝustas. Provu denove.", diff --git a/apps/files_sharing/l10n/eo.json b/apps/files_sharing/l10n/eo.json index bfe17bdb896..18c68b4d8c8 100644 --- a/apps/files_sharing/l10n/eo.json +++ b/apps/files_sharing/l10n/eo.json @@ -5,6 +5,7 @@ "Shared by link" : "Kunhavata per ligilo", "Cancel" : "Nuligi", "Invalid ownCloud url" : "Nevalidas URL de ownCloud", + "Share" : "Kunhavigi", "Shared by" : "Kunhavigita de", "This share is password-protected" : "Ĉi tiu kunhavigo estas protektata per pasvorto", "The password is wrong. Try again." : "La pasvorto malĝustas. Provu denove.", diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index 694a4198a4b..62276aee8ed 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Añadir recurso compartido remoto", "No ownCloud installation (7 or higher) found at {remote}" : "No se encontró una instalación de ownCloud (7 o mayor) en {remote}", "Invalid ownCloud url" : "URL de ownCloud inválido", + "Share" : "Compartir", "Shared by" : "Compartido por", "A file or folder was shared from <strong>another server</strong>" : "Se ha compartido un archivo o carpeta desde <strong>otro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Ha sido <strong>descargado</strong> un archivo (o carpeta) compartido públicamente", diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index ae5c7a87cb2..bebe5757af9 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -19,6 +19,7 @@ "Add remote share" : "Añadir recurso compartido remoto", "No ownCloud installation (7 or higher) found at {remote}" : "No se encontró una instalación de ownCloud (7 o mayor) en {remote}", "Invalid ownCloud url" : "URL de ownCloud inválido", + "Share" : "Compartir", "Shared by" : "Compartido por", "A file or folder was shared from <strong>another server</strong>" : "Se ha compartido un archivo o carpeta desde <strong>otro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Ha sido <strong>descargado</strong> un archivo (o carpeta) compartido públicamente", diff --git a/apps/files_sharing/l10n/es_AR.js b/apps/files_sharing/l10n/es_AR.js index b90c8293dfe..61fc3f6e774 100644 --- a/apps/files_sharing/l10n/es_AR.js +++ b/apps/files_sharing/l10n/es_AR.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Cancelar", + "Share" : "Compartir", "Shared by" : "Compartido por", "This share is password-protected" : "Esto está protegido por contraseña", "The password is wrong. Try again." : "La contraseña no es correcta. Probá de nuevo.", diff --git a/apps/files_sharing/l10n/es_AR.json b/apps/files_sharing/l10n/es_AR.json index 9e11b761eda..10c553ea58b 100644 --- a/apps/files_sharing/l10n/es_AR.json +++ b/apps/files_sharing/l10n/es_AR.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Cancelar", + "Share" : "Compartir", "Shared by" : "Compartido por", "This share is password-protected" : "Esto está protegido por contraseña", "The password is wrong. Try again." : "La contraseña no es correcta. Probá de nuevo.", diff --git a/apps/files_sharing/l10n/es_CL.js b/apps/files_sharing/l10n/es_CL.js index 33d53eb99e4..567895ba184 100644 --- a/apps/files_sharing/l10n/es_CL.js +++ b/apps/files_sharing/l10n/es_CL.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Cancelar", + "Share" : "Compartir", "Password" : "Clave", "Download" : "Descargar" }, diff --git a/apps/files_sharing/l10n/es_CL.json b/apps/files_sharing/l10n/es_CL.json index a77aecd0347..42b0bb82700 100644 --- a/apps/files_sharing/l10n/es_CL.json +++ b/apps/files_sharing/l10n/es_CL.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Cancelar", + "Share" : "Compartir", "Password" : "Clave", "Download" : "Descargar" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/es_MX.js b/apps/files_sharing/l10n/es_MX.js index 7d608b06e45..adf4b823efd 100644 --- a/apps/files_sharing/l10n/es_MX.js +++ b/apps/files_sharing/l10n/es_MX.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Cancelar", + "Share" : "Compartir", "Shared by" : "Compartido por", "This share is password-protected" : "Este elemento compartido esta protegido por contraseña", "The password is wrong. Try again." : "La contraseña introducida es errónea. Inténtelo de nuevo.", diff --git a/apps/files_sharing/l10n/es_MX.json b/apps/files_sharing/l10n/es_MX.json index 7b0cff90181..17f05601521 100644 --- a/apps/files_sharing/l10n/es_MX.json +++ b/apps/files_sharing/l10n/es_MX.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Cancelar", + "Share" : "Compartir", "Shared by" : "Compartido por", "This share is password-protected" : "Este elemento compartido esta protegido por contraseña", "The password is wrong. Try again." : "La contraseña introducida es errónea. Inténtelo de nuevo.", diff --git a/apps/files_sharing/l10n/et_EE.js b/apps/files_sharing/l10n/et_EE.js index 7200a5ca3c1..af461bdb185 100644 --- a/apps/files_sharing/l10n/et_EE.js +++ b/apps/files_sharing/l10n/et_EE.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Loobu", "Add remote share" : "Lisa kaugjagamine", "Invalid ownCloud url" : "Vigane ownCloud url", + "Share" : "Jaga", "Shared by" : "Jagas", "This share is password-protected" : "See jagamine on parooliga kaitstud", "The password is wrong. Try again." : "Parool on vale. Proovi uuesti.", diff --git a/apps/files_sharing/l10n/et_EE.json b/apps/files_sharing/l10n/et_EE.json index e35ea6427a7..4cccbccd478 100644 --- a/apps/files_sharing/l10n/et_EE.json +++ b/apps/files_sharing/l10n/et_EE.json @@ -12,6 +12,7 @@ "Cancel" : "Loobu", "Add remote share" : "Lisa kaugjagamine", "Invalid ownCloud url" : "Vigane ownCloud url", + "Share" : "Jaga", "Shared by" : "Jagas", "This share is password-protected" : "See jagamine on parooliga kaitstud", "The password is wrong. Try again." : "Parool on vale. Proovi uuesti.", diff --git a/apps/files_sharing/l10n/eu.js b/apps/files_sharing/l10n/eu.js index ff254aa50c4..e136a736521 100644 --- a/apps/files_sharing/l10n/eu.js +++ b/apps/files_sharing/l10n/eu.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Ezeztatu", "Add remote share" : "Gehitu urrutiko parte hartzea", "Invalid ownCloud url" : "ownCloud url baliogabea", + "Share" : "Partekatu", "Shared by" : "Honek elkarbanatuta", "This share is password-protected" : "Elkarbanatutako hau pasahitzarekin babestuta dago", "The password is wrong. Try again." : "Pasahitza ez da egokia. Saiatu berriro.", diff --git a/apps/files_sharing/l10n/eu.json b/apps/files_sharing/l10n/eu.json index 62955cafaf3..7355146ee9c 100644 --- a/apps/files_sharing/l10n/eu.json +++ b/apps/files_sharing/l10n/eu.json @@ -12,6 +12,7 @@ "Cancel" : "Ezeztatu", "Add remote share" : "Gehitu urrutiko parte hartzea", "Invalid ownCloud url" : "ownCloud url baliogabea", + "Share" : "Partekatu", "Shared by" : "Honek elkarbanatuta", "This share is password-protected" : "Elkarbanatutako hau pasahitzarekin babestuta dago", "The password is wrong. Try again." : "Pasahitza ez da egokia. Saiatu berriro.", diff --git a/apps/files_sharing/l10n/fa.js b/apps/files_sharing/l10n/fa.js index 86dc4d5468d..91232ffd638 100644 --- a/apps/files_sharing/l10n/fa.js +++ b/apps/files_sharing/l10n/fa.js @@ -13,6 +13,7 @@ OC.L10N.register( "Cancel" : "منصرف شدن", "Add remote share" : "افزودن اشتراک از راه دور", "Invalid ownCloud url" : "آدرس نمونه ownCloud غیر معتبر است", + "Share" : "اشتراکگذاری", "Shared by" : "اشتراک گذاشته شده به وسیله", "This share is password-protected" : "این اشتراک توسط رمز عبور محافظت می شود", "The password is wrong. Try again." : "رمزعبور اشتباه می باشد. دوباره امتحان کنید.", diff --git a/apps/files_sharing/l10n/fa.json b/apps/files_sharing/l10n/fa.json index 921c9a4bb28..e63d08c2edb 100644 --- a/apps/files_sharing/l10n/fa.json +++ b/apps/files_sharing/l10n/fa.json @@ -11,6 +11,7 @@ "Cancel" : "منصرف شدن", "Add remote share" : "افزودن اشتراک از راه دور", "Invalid ownCloud url" : "آدرس نمونه ownCloud غیر معتبر است", + "Share" : "اشتراکگذاری", "Shared by" : "اشتراک گذاشته شده به وسیله", "This share is password-protected" : "این اشتراک توسط رمز عبور محافظت می شود", "The password is wrong. Try again." : "رمزعبور اشتباه می باشد. دوباره امتحان کنید.", diff --git a/apps/files_sharing/l10n/fi_FI.js b/apps/files_sharing/l10n/fi_FI.js index 398a81dba7c..5b42bd73062 100644 --- a/apps/files_sharing/l10n/fi_FI.js +++ b/apps/files_sharing/l10n/fi_FI.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Lisää etäjako", "No ownCloud installation (7 or higher) found at {remote}" : "ownCloud-asennusta (versiota 7 tai uudempaa) ei löytynyt osoitteesta {remote}", "Invalid ownCloud url" : "Virheellinen ownCloud-osoite", + "Share" : "Jaa", "Shared by" : "Jakanut", "A file or folder was shared from <strong>another server</strong>" : "Tiedosto tai kansio jaettiin <strong>toiselta palvelimelta</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Julkisesti jaettu tiedosto tai kansio <strong>ladattiin</strong>", diff --git a/apps/files_sharing/l10n/fi_FI.json b/apps/files_sharing/l10n/fi_FI.json index 73d6cd4c9c4..32c14309fb3 100644 --- a/apps/files_sharing/l10n/fi_FI.json +++ b/apps/files_sharing/l10n/fi_FI.json @@ -19,6 +19,7 @@ "Add remote share" : "Lisää etäjako", "No ownCloud installation (7 or higher) found at {remote}" : "ownCloud-asennusta (versiota 7 tai uudempaa) ei löytynyt osoitteesta {remote}", "Invalid ownCloud url" : "Virheellinen ownCloud-osoite", + "Share" : "Jaa", "Shared by" : "Jakanut", "A file or folder was shared from <strong>another server</strong>" : "Tiedosto tai kansio jaettiin <strong>toiselta palvelimelta</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Julkisesti jaettu tiedosto tai kansio <strong>ladattiin</strong>", diff --git a/apps/files_sharing/l10n/fr.js b/apps/files_sharing/l10n/fr.js index f82c5d154c2..a57bc25972d 100644 --- a/apps/files_sharing/l10n/fr.js +++ b/apps/files_sharing/l10n/fr.js @@ -14,12 +14,14 @@ OC.L10N.register( "Files and folders you share will show up here" : "Les fichiers et dossiers que vous partagerez apparaîtront ici", "No shared links" : "Aucun lien partagé", "Files and folders you share by link will show up here" : "Les fichiers et dossiers que vous partagerez par lien apparaîtront ici", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} de {owner}@{remote} ?", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} de {owner}@{remote} ?", "Remote share" : "Partage distant", "Remote share password" : "Mot de passe du partage distant", "Cancel" : "Annuler", "Add remote share" : "Ajouter un partage distant", - "Invalid ownCloud url" : "URL ownCloud invalide", + "No ownCloud installation (7 or higher) found at {remote}" : "Aucune installation ownCloud (7 ou supérieur) trouvée sur {remote}", + "Invalid ownCloud url" : "URL ownCloud non valide", + "Share" : "Partager", "Shared by" : "Partagé par", "A file or folder was shared from <strong>another server</strong>" : "Un fichier ou un répertoire a été partagé depuis <strong>un autre serveur</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Un fichier ou un répertoire partagé a été <strong>téléchargé</strong>", @@ -32,6 +34,7 @@ OC.L10N.register( "This share is password-protected" : "Ce partage est protégé par un mot de passe", "The password is wrong. Try again." : "Le mot de passe est incorrect. Veuillez réessayer.", "Password" : "Mot de passe", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Name" : "Nom", "Share time" : "Date de partage", "Sorry, this link doesn’t seem to work anymore." : "Désolé, mais le lien semble ne plus fonctionner.", diff --git a/apps/files_sharing/l10n/fr.json b/apps/files_sharing/l10n/fr.json index 119d436ddec..48a9f9d199e 100644 --- a/apps/files_sharing/l10n/fr.json +++ b/apps/files_sharing/l10n/fr.json @@ -12,12 +12,14 @@ "Files and folders you share will show up here" : "Les fichiers et dossiers que vous partagerez apparaîtront ici", "No shared links" : "Aucun lien partagé", "Files and folders you share by link will show up here" : "Les fichiers et dossiers que vous partagerez par lien apparaîtront ici", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} de {owner}@{remote} ?", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} de {owner}@{remote} ?", "Remote share" : "Partage distant", "Remote share password" : "Mot de passe du partage distant", "Cancel" : "Annuler", "Add remote share" : "Ajouter un partage distant", - "Invalid ownCloud url" : "URL ownCloud invalide", + "No ownCloud installation (7 or higher) found at {remote}" : "Aucune installation ownCloud (7 ou supérieur) trouvée sur {remote}", + "Invalid ownCloud url" : "URL ownCloud non valide", + "Share" : "Partager", "Shared by" : "Partagé par", "A file or folder was shared from <strong>another server</strong>" : "Un fichier ou un répertoire a été partagé depuis <strong>un autre serveur</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Un fichier ou un répertoire partagé a été <strong>téléchargé</strong>", @@ -30,6 +32,7 @@ "This share is password-protected" : "Ce partage est protégé par un mot de passe", "The password is wrong. Try again." : "Le mot de passe est incorrect. Veuillez réessayer.", "Password" : "Mot de passe", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Name" : "Nom", "Share time" : "Date de partage", "Sorry, this link doesn’t seem to work anymore." : "Désolé, mais le lien semble ne plus fonctionner.", diff --git a/apps/files_sharing/l10n/gl.js b/apps/files_sharing/l10n/gl.js index 642d2776135..a04775b368a 100644 --- a/apps/files_sharing/l10n/gl.js +++ b/apps/files_sharing/l10n/gl.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Engadir unha compartición remota", "No ownCloud installation (7 or higher) found at {remote}" : "Non se atopa unha instalación de ownCloud (7 ou superior) en {remote}", "Invalid ownCloud url" : "URL incorrecta do ownCloud", + "Share" : "Compartir", "Shared by" : "Compartido por", "A file or folder was shared from <strong>another server</strong>" : "Compartiuse un ficheiro ou cartafol desde <strong>outro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Foi <strong>descargado</strong> un ficheiro ou cartafol público", diff --git a/apps/files_sharing/l10n/gl.json b/apps/files_sharing/l10n/gl.json index 6bbe011871b..f08296ee74d 100644 --- a/apps/files_sharing/l10n/gl.json +++ b/apps/files_sharing/l10n/gl.json @@ -19,6 +19,7 @@ "Add remote share" : "Engadir unha compartición remota", "No ownCloud installation (7 or higher) found at {remote}" : "Non se atopa unha instalación de ownCloud (7 ou superior) en {remote}", "Invalid ownCloud url" : "URL incorrecta do ownCloud", + "Share" : "Compartir", "Shared by" : "Compartido por", "A file or folder was shared from <strong>another server</strong>" : "Compartiuse un ficheiro ou cartafol desde <strong>outro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Foi <strong>descargado</strong> un ficheiro ou cartafol público", diff --git a/apps/files_sharing/l10n/he.js b/apps/files_sharing/l10n/he.js index 4e9ce972240..06562c4d967 100644 --- a/apps/files_sharing/l10n/he.js +++ b/apps/files_sharing/l10n/he.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "ביטול", + "Share" : "שיתוף", "Shared by" : "שותף על־ידי", "Password" : "סיסמא", "Name" : "שם", diff --git a/apps/files_sharing/l10n/he.json b/apps/files_sharing/l10n/he.json index fe209ca3ecd..4a7c6097dd5 100644 --- a/apps/files_sharing/l10n/he.json +++ b/apps/files_sharing/l10n/he.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "ביטול", + "Share" : "שיתוף", "Shared by" : "שותף על־ידי", "Password" : "סיסמא", "Name" : "שם", diff --git a/apps/files_sharing/l10n/hi.js b/apps/files_sharing/l10n/hi.js index a9647c762d0..8a6c01ef435 100644 --- a/apps/files_sharing/l10n/hi.js +++ b/apps/files_sharing/l10n/hi.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "रद्द करें ", + "Share" : "साझा करें", "Shared by" : "द्वारा साझा", "Password" : "पासवर्ड" }, diff --git a/apps/files_sharing/l10n/hi.json b/apps/files_sharing/l10n/hi.json index 5775830b621..6078a1ba37b 100644 --- a/apps/files_sharing/l10n/hi.json +++ b/apps/files_sharing/l10n/hi.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "रद्द करें ", + "Share" : "साझा करें", "Shared by" : "द्वारा साझा", "Password" : "पासवर्ड" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/hr.js b/apps/files_sharing/l10n/hr.js index e0f17faaa59..d1cb7bff9aa 100644 --- a/apps/files_sharing/l10n/hr.js +++ b/apps/files_sharing/l10n/hr.js @@ -13,6 +13,7 @@ OC.L10N.register( "Cancel" : "Odustanite", "Add remote share" : "Dodajte udaljeni zajednički resurs", "Invalid ownCloud url" : "Neispravan ownCloud URL", + "Share" : "Podijelite resurs", "Shared by" : "Podijeljeno od strane", "This share is password-protected" : "Ovaj zajednički resurs je zaštićen lozinkom", "The password is wrong. Try again." : "Pogrešna lozinka. Pokušajte ponovno.", diff --git a/apps/files_sharing/l10n/hr.json b/apps/files_sharing/l10n/hr.json index bad140eb242..9156d6ddf8a 100644 --- a/apps/files_sharing/l10n/hr.json +++ b/apps/files_sharing/l10n/hr.json @@ -11,6 +11,7 @@ "Cancel" : "Odustanite", "Add remote share" : "Dodajte udaljeni zajednički resurs", "Invalid ownCloud url" : "Neispravan ownCloud URL", + "Share" : "Podijelite resurs", "Shared by" : "Podijeljeno od strane", "This share is password-protected" : "Ovaj zajednički resurs je zaštićen lozinkom", "The password is wrong. Try again." : "Pogrešna lozinka. Pokušajte ponovno.", diff --git a/apps/files_sharing/l10n/hu_HU.js b/apps/files_sharing/l10n/hu_HU.js index a48c6b71a05..69e218215b7 100644 --- a/apps/files_sharing/l10n/hu_HU.js +++ b/apps/files_sharing/l10n/hu_HU.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Mégsem", "Add remote share" : "Távoli megosztás létrehozása", "Invalid ownCloud url" : "Érvénytelen ownCloud webcím", + "Share" : "Megosztás", "Shared by" : "Megosztotta Önnel", "This share is password-protected" : "Ez egy jelszóval védett megosztás", "The password is wrong. Try again." : "A megadott jelszó nem megfelelő. Próbálja újra!", diff --git a/apps/files_sharing/l10n/hu_HU.json b/apps/files_sharing/l10n/hu_HU.json index d700541ad28..fb8b6a36c70 100644 --- a/apps/files_sharing/l10n/hu_HU.json +++ b/apps/files_sharing/l10n/hu_HU.json @@ -12,6 +12,7 @@ "Cancel" : "Mégsem", "Add remote share" : "Távoli megosztás létrehozása", "Invalid ownCloud url" : "Érvénytelen ownCloud webcím", + "Share" : "Megosztás", "Shared by" : "Megosztotta Önnel", "This share is password-protected" : "Ez egy jelszóval védett megosztás", "The password is wrong. Try again." : "A megadott jelszó nem megfelelő. Próbálja újra!", diff --git a/apps/files_sharing/l10n/ia.js b/apps/files_sharing/l10n/ia.js index c144fbd44f3..0d471561316 100644 --- a/apps/files_sharing/l10n/ia.js +++ b/apps/files_sharing/l10n/ia.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Cancellar", + "Share" : "Compartir", "Password" : "Contrasigno", "Name" : "Nomine", "Download" : "Discargar" diff --git a/apps/files_sharing/l10n/ia.json b/apps/files_sharing/l10n/ia.json index d6153f18230..5908b2a4d4d 100644 --- a/apps/files_sharing/l10n/ia.json +++ b/apps/files_sharing/l10n/ia.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Cancellar", + "Share" : "Compartir", "Password" : "Contrasigno", "Name" : "Nomine", "Download" : "Discargar" diff --git a/apps/files_sharing/l10n/id.js b/apps/files_sharing/l10n/id.js index 633195cc99f..6cb9f17628e 100644 --- a/apps/files_sharing/l10n/id.js +++ b/apps/files_sharing/l10n/id.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Batal", "Add remote share" : "Tambah berbagi remote", "Invalid ownCloud url" : "URL ownCloud tidak sah", + "Share" : "Bagikan", "Shared by" : "Dibagikan oleh", "This share is password-protected" : "Berbagi ini dilindungi sandi", "The password is wrong. Try again." : "Sandi salah. Coba lagi", diff --git a/apps/files_sharing/l10n/id.json b/apps/files_sharing/l10n/id.json index 51a45a575c6..fee58639322 100644 --- a/apps/files_sharing/l10n/id.json +++ b/apps/files_sharing/l10n/id.json @@ -12,6 +12,7 @@ "Cancel" : "Batal", "Add remote share" : "Tambah berbagi remote", "Invalid ownCloud url" : "URL ownCloud tidak sah", + "Share" : "Bagikan", "Shared by" : "Dibagikan oleh", "This share is password-protected" : "Berbagi ini dilindungi sandi", "The password is wrong. Try again." : "Sandi salah. Coba lagi", diff --git a/apps/files_sharing/l10n/is.js b/apps/files_sharing/l10n/is.js index ecce4e25d97..57e49f68ec4 100644 --- a/apps/files_sharing/l10n/is.js +++ b/apps/files_sharing/l10n/is.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Hætta við", + "Share" : "Deila", "Shared by" : "Deilt af", "Password" : "Lykilorð", "Name" : "Nafn", diff --git a/apps/files_sharing/l10n/is.json b/apps/files_sharing/l10n/is.json index 889f8a32398..f7094b9cbe8 100644 --- a/apps/files_sharing/l10n/is.json +++ b/apps/files_sharing/l10n/is.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Hætta við", + "Share" : "Deila", "Shared by" : "Deilt af", "Password" : "Lykilorð", "Name" : "Nafn", diff --git a/apps/files_sharing/l10n/it.js b/apps/files_sharing/l10n/it.js index 14ed429be85..9341dad30f8 100644 --- a/apps/files_sharing/l10n/it.js +++ b/apps/files_sharing/l10n/it.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Aggiungi condivisione remota", "No ownCloud installation (7 or higher) found at {remote}" : "Nessuna installazione di ownCloud (7 o superiore) trovata su {remote}", "Invalid ownCloud url" : "URL di ownCloud non valido", + "Share" : "Condividi", "Shared by" : "Condiviso da", "A file or folder was shared from <strong>another server</strong>" : "Un file o una cartella è stato condiviso da <strong>un altro server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Un file condiviso pubblicamente o una cartella è stato <strong>scaricato</strong>", diff --git a/apps/files_sharing/l10n/it.json b/apps/files_sharing/l10n/it.json index f98994a0a4b..a1b8410bc9e 100644 --- a/apps/files_sharing/l10n/it.json +++ b/apps/files_sharing/l10n/it.json @@ -19,6 +19,7 @@ "Add remote share" : "Aggiungi condivisione remota", "No ownCloud installation (7 or higher) found at {remote}" : "Nessuna installazione di ownCloud (7 o superiore) trovata su {remote}", "Invalid ownCloud url" : "URL di ownCloud non valido", + "Share" : "Condividi", "Shared by" : "Condiviso da", "A file or folder was shared from <strong>another server</strong>" : "Un file o una cartella è stato condiviso da <strong>un altro server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Un file condiviso pubblicamente o una cartella è stato <strong>scaricato</strong>", diff --git a/apps/files_sharing/l10n/ja.js b/apps/files_sharing/l10n/ja.js index 1550e41e653..e808bfe5b50 100644 --- a/apps/files_sharing/l10n/ja.js +++ b/apps/files_sharing/l10n/ja.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "リモート共有を追加", "No ownCloud installation (7 or higher) found at {remote}" : "{remote} にはownCloud (7以上)がインストールされていません", "Invalid ownCloud url" : "無効なownCloud URL です", + "Share" : "共有", "Shared by" : "共有者:", "A file or folder was shared from <strong>another server</strong>" : "ファイルまたはフォルダーは <strong>他のサーバー</strong>から共有されました", "You received a new remote share from %s" : "%sからリモート共有のリクエストは\n届きました。", diff --git a/apps/files_sharing/l10n/ja.json b/apps/files_sharing/l10n/ja.json index 1194a758e30..54af3389dd3 100644 --- a/apps/files_sharing/l10n/ja.json +++ b/apps/files_sharing/l10n/ja.json @@ -19,6 +19,7 @@ "Add remote share" : "リモート共有を追加", "No ownCloud installation (7 or higher) found at {remote}" : "{remote} にはownCloud (7以上)がインストールされていません", "Invalid ownCloud url" : "無効なownCloud URL です", + "Share" : "共有", "Shared by" : "共有者:", "A file or folder was shared from <strong>another server</strong>" : "ファイルまたはフォルダーは <strong>他のサーバー</strong>から共有されました", "You received a new remote share from %s" : "%sからリモート共有のリクエストは\n届きました。", diff --git a/apps/files_sharing/l10n/ka_GE.js b/apps/files_sharing/l10n/ka_GE.js index df36093b688..c4373ea9f46 100644 --- a/apps/files_sharing/l10n/ka_GE.js +++ b/apps/files_sharing/l10n/ka_GE.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "უარყოფა", + "Share" : "გაზიარება", "Shared by" : "აზიარებს", "Password" : "პაროლი", "Name" : "სახელი", diff --git a/apps/files_sharing/l10n/ka_GE.json b/apps/files_sharing/l10n/ka_GE.json index acebf7caa30..d052f45f096 100644 --- a/apps/files_sharing/l10n/ka_GE.json +++ b/apps/files_sharing/l10n/ka_GE.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "უარყოფა", + "Share" : "გაზიარება", "Shared by" : "აზიარებს", "Password" : "პაროლი", "Name" : "სახელი", diff --git a/apps/files_sharing/l10n/km.js b/apps/files_sharing/l10n/km.js index d98f1df047e..2b730ae146b 100644 --- a/apps/files_sharing/l10n/km.js +++ b/apps/files_sharing/l10n/km.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "បោះបង់", + "Share" : "ចែករំលែក", "Shared by" : "បានចែករំលែកដោយ", "This share is password-protected" : "ការចែករំលែកនេះត្រូវបានការពារដោយពាក្យសម្ងាត់", "The password is wrong. Try again." : "ពាក្យសម្ងាត់ខុសហើយ។ ព្យាយាមម្ដងទៀត។", diff --git a/apps/files_sharing/l10n/km.json b/apps/files_sharing/l10n/km.json index 283ddcf871a..646f417f6d8 100644 --- a/apps/files_sharing/l10n/km.json +++ b/apps/files_sharing/l10n/km.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "បោះបង់", + "Share" : "ចែករំលែក", "Shared by" : "បានចែករំលែកដោយ", "This share is password-protected" : "ការចែករំលែកនេះត្រូវបានការពារដោយពាក្យសម្ងាត់", "The password is wrong. Try again." : "ពាក្យសម្ងាត់ខុសហើយ។ ព្យាយាមម្ដងទៀត។", diff --git a/apps/files_sharing/l10n/kn.js b/apps/files_sharing/l10n/kn.js index 61a3e58aa96..8ae732752a4 100644 --- a/apps/files_sharing/l10n/kn.js +++ b/apps/files_sharing/l10n/kn.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "ರದ್ದು", + "Share" : "ಹಂಚಿಕೊಳ್ಳಿ", "Password" : "ಗುಪ್ತ ಪದ", "Name" : "ಹೆಸರು", "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ" diff --git a/apps/files_sharing/l10n/kn.json b/apps/files_sharing/l10n/kn.json index 1b16ed072cb..5f990849c9b 100644 --- a/apps/files_sharing/l10n/kn.json +++ b/apps/files_sharing/l10n/kn.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "ರದ್ದು", + "Share" : "ಹಂಚಿಕೊಳ್ಳಿ", "Password" : "ಗುಪ್ತ ಪದ", "Name" : "ಹೆಸರು", "Download" : "ಪ್ರತಿಯನ್ನು ಸ್ಥಳೀಯವಾಗಿ ಉಳಿಸಿಕೊಳ್ಳಿ" diff --git a/apps/files_sharing/l10n/ko.js b/apps/files_sharing/l10n/ko.js index 88fe10788c9..f53eef8889d 100644 --- a/apps/files_sharing/l10n/ko.js +++ b/apps/files_sharing/l10n/ko.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "취소", + "Share" : "공유", "Shared by" : "공유한 사용자:", "This share is password-protected" : "이 공유는 암호로 보호되어 있습니다", "The password is wrong. Try again." : "암호가 잘못되었습니다. 다시 입력해 주십시오.", diff --git a/apps/files_sharing/l10n/ko.json b/apps/files_sharing/l10n/ko.json index e005feecef1..fc467d4e85d 100644 --- a/apps/files_sharing/l10n/ko.json +++ b/apps/files_sharing/l10n/ko.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "취소", + "Share" : "공유", "Shared by" : "공유한 사용자:", "This share is password-protected" : "이 공유는 암호로 보호되어 있습니다", "The password is wrong. Try again." : "암호가 잘못되었습니다. 다시 입력해 주십시오.", diff --git a/apps/files_sharing/l10n/ku_IQ.js b/apps/files_sharing/l10n/ku_IQ.js index f1549d46c0f..3c751c0a7b3 100644 --- a/apps/files_sharing/l10n/ku_IQ.js +++ b/apps/files_sharing/l10n/ku_IQ.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "لابردن", + "Share" : "هاوبەشی کردن", "Password" : "وشەی تێپەربو", "Name" : "ناو", "Download" : "داگرتن" diff --git a/apps/files_sharing/l10n/ku_IQ.json b/apps/files_sharing/l10n/ku_IQ.json index 7be49d0c5e2..8c546363624 100644 --- a/apps/files_sharing/l10n/ku_IQ.json +++ b/apps/files_sharing/l10n/ku_IQ.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "لابردن", + "Share" : "هاوبەشی کردن", "Password" : "وشەی تێپەربو", "Name" : "ناو", "Download" : "داگرتن" diff --git a/apps/files_sharing/l10n/lb.js b/apps/files_sharing/l10n/lb.js index f391757f709..3ba992bf6de 100644 --- a/apps/files_sharing/l10n/lb.js +++ b/apps/files_sharing/l10n/lb.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Ofbriechen", + "Share" : "Deelen", "Shared by" : "Gedeelt vun", "The password is wrong. Try again." : "Den Passwuert ass incorrect. Probeier ed nach eng keier.", "Password" : "Passwuert", diff --git a/apps/files_sharing/l10n/lb.json b/apps/files_sharing/l10n/lb.json index 07d504d9165..760bb015a98 100644 --- a/apps/files_sharing/l10n/lb.json +++ b/apps/files_sharing/l10n/lb.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Ofbriechen", + "Share" : "Deelen", "Shared by" : "Gedeelt vun", "The password is wrong. Try again." : "Den Passwuert ass incorrect. Probeier ed nach eng keier.", "Password" : "Passwuert", diff --git a/apps/files_sharing/l10n/lt_LT.js b/apps/files_sharing/l10n/lt_LT.js index 9a7145bbdae..a2763933434 100644 --- a/apps/files_sharing/l10n/lt_LT.js +++ b/apps/files_sharing/l10n/lt_LT.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Atšaukti", + "Share" : "Dalintis", "Shared by" : "Dalinasi", "This share is password-protected" : "Turinys apsaugotas slaptažodžiu", "The password is wrong. Try again." : "Netinka slaptažodis: Bandykite dar kartą.", diff --git a/apps/files_sharing/l10n/lt_LT.json b/apps/files_sharing/l10n/lt_LT.json index 2da5fb37d50..9057bb27204 100644 --- a/apps/files_sharing/l10n/lt_LT.json +++ b/apps/files_sharing/l10n/lt_LT.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Atšaukti", + "Share" : "Dalintis", "Shared by" : "Dalinasi", "This share is password-protected" : "Turinys apsaugotas slaptažodžiu", "The password is wrong. Try again." : "Netinka slaptažodis: Bandykite dar kartą.", diff --git a/apps/files_sharing/l10n/lv.js b/apps/files_sharing/l10n/lv.js index e333563c061..001afd0f11d 100644 --- a/apps/files_sharing/l10n/lv.js +++ b/apps/files_sharing/l10n/lv.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Atcelt", + "Share" : "Dalīties", "Shared by" : "Dalījās", "Password" : "Parole", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", diff --git a/apps/files_sharing/l10n/lv.json b/apps/files_sharing/l10n/lv.json index 125ba7ee369..00b7d17ba5f 100644 --- a/apps/files_sharing/l10n/lv.json +++ b/apps/files_sharing/l10n/lv.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Atcelt", + "Share" : "Dalīties", "Shared by" : "Dalījās", "Password" : "Parole", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", diff --git a/apps/files_sharing/l10n/mk.js b/apps/files_sharing/l10n/mk.js index 890980b2e73..b47fa211329 100644 --- a/apps/files_sharing/l10n/mk.js +++ b/apps/files_sharing/l10n/mk.js @@ -5,6 +5,7 @@ OC.L10N.register( "Shared with others" : "Сподели со останатите", "Shared by link" : "Споделено со врска", "Cancel" : "Откажи", + "Share" : "Сподели", "Shared by" : "Споделено од", "This share is password-protected" : "Ова споделување е заштитено со лозинка", "The password is wrong. Try again." : "Лозинката е грешна. Обиди се повторно.", diff --git a/apps/files_sharing/l10n/mk.json b/apps/files_sharing/l10n/mk.json index 3a1b748d4fc..c399da0089f 100644 --- a/apps/files_sharing/l10n/mk.json +++ b/apps/files_sharing/l10n/mk.json @@ -3,6 +3,7 @@ "Shared with others" : "Сподели со останатите", "Shared by link" : "Споделено со врска", "Cancel" : "Откажи", + "Share" : "Сподели", "Shared by" : "Споделено од", "This share is password-protected" : "Ова споделување е заштитено со лозинка", "The password is wrong. Try again." : "Лозинката е грешна. Обиди се повторно.", diff --git a/apps/files_sharing/l10n/mn.js b/apps/files_sharing/l10n/mn.js index 6769fc38ccd..c99ff7a5a02 100644 --- a/apps/files_sharing/l10n/mn.js +++ b/apps/files_sharing/l10n/mn.js @@ -1,6 +1,7 @@ OC.L10N.register( "files_sharing", { + "Share" : "Түгээх", "Password" : "Нууц үг" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/mn.json b/apps/files_sharing/l10n/mn.json index 13788221f43..3e4112cc4e5 100644 --- a/apps/files_sharing/l10n/mn.json +++ b/apps/files_sharing/l10n/mn.json @@ -1,4 +1,5 @@ { "translations": { + "Share" : "Түгээх", "Password" : "Нууц үг" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ms_MY.js b/apps/files_sharing/l10n/ms_MY.js index 92ca90bb60e..2a9f8adc6b6 100644 --- a/apps/files_sharing/l10n/ms_MY.js +++ b/apps/files_sharing/l10n/ms_MY.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Batal", + "Share" : "Kongsi", "Shared by" : "Dikongsi dengan", "Password" : "Kata laluan", "Name" : "Nama", diff --git a/apps/files_sharing/l10n/ms_MY.json b/apps/files_sharing/l10n/ms_MY.json index 45ae1fe85a0..2ac71a4f483 100644 --- a/apps/files_sharing/l10n/ms_MY.json +++ b/apps/files_sharing/l10n/ms_MY.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Batal", + "Share" : "Kongsi", "Shared by" : "Dikongsi dengan", "Password" : "Kata laluan", "Name" : "Nama", diff --git a/apps/files_sharing/l10n/nb_NO.js b/apps/files_sharing/l10n/nb_NO.js index 7a959d842fe..f2521eca4a6 100644 --- a/apps/files_sharing/l10n/nb_NO.js +++ b/apps/files_sharing/l10n/nb_NO.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Legg til ekstern deling", "No ownCloud installation (7 or higher) found at {remote}" : "Ingen ownCloud-installasjon (7 eller høyere) funnet på {remote}", "Invalid ownCloud url" : "Ugyldig ownCloud-url", + "Share" : "Del", "Shared by" : "Delt av", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mappe ble delt fra <strong>en annen server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En offentlig delt fil eller mappe ble <strong>lastet ned</strong>", diff --git a/apps/files_sharing/l10n/nb_NO.json b/apps/files_sharing/l10n/nb_NO.json index abe847ffaf0..f42ab658332 100644 --- a/apps/files_sharing/l10n/nb_NO.json +++ b/apps/files_sharing/l10n/nb_NO.json @@ -19,6 +19,7 @@ "Add remote share" : "Legg til ekstern deling", "No ownCloud installation (7 or higher) found at {remote}" : "Ingen ownCloud-installasjon (7 eller høyere) funnet på {remote}", "Invalid ownCloud url" : "Ugyldig ownCloud-url", + "Share" : "Del", "Shared by" : "Delt av", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mappe ble delt fra <strong>en annen server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En offentlig delt fil eller mappe ble <strong>lastet ned</strong>", diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index 45ddda94630..0ca0b3e9fc3 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Toevoegen externe share", "No ownCloud installation (7 or higher) found at {remote}" : "Geen recente ownCloud installatie (7 of hoger) gevonden op {remote}", "Invalid ownCloud url" : "Ongeldige ownCloud url", + "Share" : "Deel", "Shared by" : "Gedeeld door", "A file or folder was shared from <strong>another server</strong>" : "Een bestand of map werd gedeeld vanaf <strong>een andere server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Een openbaar gedeeld bestand of map werd <strong>gedownloaded</strong>", diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index 363a5d1ab78..d1fec7c4d90 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -19,6 +19,7 @@ "Add remote share" : "Toevoegen externe share", "No ownCloud installation (7 or higher) found at {remote}" : "Geen recente ownCloud installatie (7 of hoger) gevonden op {remote}", "Invalid ownCloud url" : "Ongeldige ownCloud url", + "Share" : "Deel", "Shared by" : "Gedeeld door", "A file or folder was shared from <strong>another server</strong>" : "Een bestand of map werd gedeeld vanaf <strong>een andere server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Een openbaar gedeeld bestand of map werd <strong>gedownloaded</strong>", diff --git a/apps/files_sharing/l10n/nn_NO.js b/apps/files_sharing/l10n/nn_NO.js index f0c749ceb58..eb03c0f7cd2 100644 --- a/apps/files_sharing/l10n/nn_NO.js +++ b/apps/files_sharing/l10n/nn_NO.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Avbryt", + "Share" : "Del", "Shared by" : "Delt av", "The password is wrong. Try again." : "Passordet er gale. Prøv igjen.", "Password" : "Passord", diff --git a/apps/files_sharing/l10n/nn_NO.json b/apps/files_sharing/l10n/nn_NO.json index c4292b2ccb6..392cf64f3c5 100644 --- a/apps/files_sharing/l10n/nn_NO.json +++ b/apps/files_sharing/l10n/nn_NO.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Avbryt", + "Share" : "Del", "Shared by" : "Delt av", "The password is wrong. Try again." : "Passordet er gale. Prøv igjen.", "Password" : "Passord", diff --git a/apps/files_sharing/l10n/oc.js b/apps/files_sharing/l10n/oc.js index 74492671603..083b8b4d0af 100644 --- a/apps/files_sharing/l10n/oc.js +++ b/apps/files_sharing/l10n/oc.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Annula", + "Share" : "Parteja", "Password" : "Senhal", "Name" : "Nom", "Download" : "Avalcarga" diff --git a/apps/files_sharing/l10n/oc.json b/apps/files_sharing/l10n/oc.json index 787013857a5..9146b14e902 100644 --- a/apps/files_sharing/l10n/oc.json +++ b/apps/files_sharing/l10n/oc.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Annula", + "Share" : "Parteja", "Password" : "Senhal", "Name" : "Nom", "Download" : "Avalcarga" diff --git a/apps/files_sharing/l10n/pa.js b/apps/files_sharing/l10n/pa.js index 55e1fcc2498..5cf1b4d73af 100644 --- a/apps/files_sharing/l10n/pa.js +++ b/apps/files_sharing/l10n/pa.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "ਰੱਦ ਕਰੋ", + "Share" : "ਸਾਂਝਾ ਕਰੋ", "Password" : "ਪਾਸਵਰ", "Download" : "ਡਾਊਨਲੋਡ" }, diff --git a/apps/files_sharing/l10n/pa.json b/apps/files_sharing/l10n/pa.json index d0feec38fff..f0333195205 100644 --- a/apps/files_sharing/l10n/pa.json +++ b/apps/files_sharing/l10n/pa.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "ਰੱਦ ਕਰੋ", + "Share" : "ਸਾਂਝਾ ਕਰੋ", "Password" : "ਪਾਸਵਰ", "Download" : "ਡਾਊਨਲੋਡ" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/pl.js b/apps/files_sharing/l10n/pl.js index fd696a1e0ba..b37f1049529 100644 --- a/apps/files_sharing/l10n/pl.js +++ b/apps/files_sharing/l10n/pl.js @@ -15,6 +15,7 @@ OC.L10N.register( "Cancel" : "Anuluj", "Add remote share" : "Dodaj zdalny zasób", "Invalid ownCloud url" : "Błędny adres URL", + "Share" : "Udostępnij", "Shared by" : "Udostępniane przez", "This share is password-protected" : "Udział ten jest chroniony hasłem", "The password is wrong. Try again." : "To hasło jest niewłaściwe. Spróbuj ponownie.", diff --git a/apps/files_sharing/l10n/pl.json b/apps/files_sharing/l10n/pl.json index 68c10b409ce..2c0c2385247 100644 --- a/apps/files_sharing/l10n/pl.json +++ b/apps/files_sharing/l10n/pl.json @@ -13,6 +13,7 @@ "Cancel" : "Anuluj", "Add remote share" : "Dodaj zdalny zasób", "Invalid ownCloud url" : "Błędny adres URL", + "Share" : "Udostępnij", "Shared by" : "Udostępniane przez", "This share is password-protected" : "Udział ten jest chroniony hasłem", "The password is wrong. Try again." : "To hasło jest niewłaściwe. Spróbuj ponownie.", diff --git a/apps/files_sharing/l10n/pt_BR.js b/apps/files_sharing/l10n/pt_BR.js index 7203e3c1ecd..031720194ad 100644 --- a/apps/files_sharing/l10n/pt_BR.js +++ b/apps/files_sharing/l10n/pt_BR.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Adicionar compartilhamento remoto", "No ownCloud installation (7 or higher) found at {remote}" : "Nenhuma instalação ownCloud (7 ou superior) foi encontrada em {remote}", "Invalid ownCloud url" : "Url invalida para ownCloud", + "Share" : "Compartilhar", "Shared by" : "Compartilhado por", "A file or folder was shared from <strong>another server</strong>" : "Um arquivo ou pasta foi compartilhada a partir de <strong>outro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Um arquivo ou pasta compartilhada publicamente foi <strong>baixado</strong>", diff --git a/apps/files_sharing/l10n/pt_BR.json b/apps/files_sharing/l10n/pt_BR.json index 8314e75d9fc..457b72c4389 100644 --- a/apps/files_sharing/l10n/pt_BR.json +++ b/apps/files_sharing/l10n/pt_BR.json @@ -19,6 +19,7 @@ "Add remote share" : "Adicionar compartilhamento remoto", "No ownCloud installation (7 or higher) found at {remote}" : "Nenhuma instalação ownCloud (7 ou superior) foi encontrada em {remote}", "Invalid ownCloud url" : "Url invalida para ownCloud", + "Share" : "Compartilhar", "Shared by" : "Compartilhado por", "A file or folder was shared from <strong>another server</strong>" : "Um arquivo ou pasta foi compartilhada a partir de <strong>outro servidor</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Um arquivo ou pasta compartilhada publicamente foi <strong>baixado</strong>", diff --git a/apps/files_sharing/l10n/pt_PT.js b/apps/files_sharing/l10n/pt_PT.js index f0f6221ce30..813a409aa9d 100644 --- a/apps/files_sharing/l10n/pt_PT.js +++ b/apps/files_sharing/l10n/pt_PT.js @@ -8,16 +8,22 @@ OC.L10N.register( "Shared with you" : "Partilhado consigo ", "Shared with others" : "Partilhado com outros", "Shared by link" : "Partilhado pela hiperligação", + "Nothing shared with you yet" : "Ainda não foi partilhado nada consigo", + "Files and folders others share with you will show up here" : "Os ficheiros e pastas que os outros partilham consigo, serão mostradas aqui", + "Nothing shared yet" : "Ainda não foi nada paratilhado", + "No shared links" : "Sem hiperligações partilhadas", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Deseja adicionar a partilha remota {nome} de {proprietário}@{remoto}?", "Remote share" : "Partilha remota", "Remote share password" : "Senha da partilha remota", "Cancel" : "Cancelar", "Add remote share" : "Adicionar partilha remota", "Invalid ownCloud url" : "Url ownCloud inválido", + "Share" : "Compartilhar", "Shared by" : "Partilhado por", "This share is password-protected" : "Esta partilha está protegida por senha", "The password is wrong. Try again." : "A senha está errada. Por favor, tente de novo.", "Password" : "Senha", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Name" : "Nome", "Share time" : "Hora da Partilha", "Sorry, this link doesn’t seem to work anymore." : "Desculpe, mas esta hiperligação parece já não estar a funcionar.", diff --git a/apps/files_sharing/l10n/pt_PT.json b/apps/files_sharing/l10n/pt_PT.json index 400c24b326c..f21c779e21d 100644 --- a/apps/files_sharing/l10n/pt_PT.json +++ b/apps/files_sharing/l10n/pt_PT.json @@ -6,16 +6,22 @@ "Shared with you" : "Partilhado consigo ", "Shared with others" : "Partilhado com outros", "Shared by link" : "Partilhado pela hiperligação", + "Nothing shared with you yet" : "Ainda não foi partilhado nada consigo", + "Files and folders others share with you will show up here" : "Os ficheiros e pastas que os outros partilham consigo, serão mostradas aqui", + "Nothing shared yet" : "Ainda não foi nada paratilhado", + "No shared links" : "Sem hiperligações partilhadas", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Deseja adicionar a partilha remota {nome} de {proprietário}@{remoto}?", "Remote share" : "Partilha remota", "Remote share password" : "Senha da partilha remota", "Cancel" : "Cancelar", "Add remote share" : "Adicionar partilha remota", "Invalid ownCloud url" : "Url ownCloud inválido", + "Share" : "Compartilhar", "Shared by" : "Partilhado por", "This share is password-protected" : "Esta partilha está protegida por senha", "The password is wrong. Try again." : "A senha está errada. Por favor, tente de novo.", "Password" : "Senha", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Name" : "Nome", "Share time" : "Hora da Partilha", "Sorry, this link doesn’t seem to work anymore." : "Desculpe, mas esta hiperligação parece já não estar a funcionar.", diff --git a/apps/files_sharing/l10n/ro.js b/apps/files_sharing/l10n/ro.js index 69a4d263545..107d4a1687e 100644 --- a/apps/files_sharing/l10n/ro.js +++ b/apps/files_sharing/l10n/ro.js @@ -5,6 +5,7 @@ OC.L10N.register( "Shared with you" : "Partajat cu tine", "Shared with others" : "Partajat cu alții", "Cancel" : "Anulare", + "Share" : "Partajează", "Shared by" : "impartite in ", "This share is password-protected" : "Această partajare este protejată cu parolă", "The password is wrong. Try again." : "Parola este incorectă. Încercaţi din nou.", diff --git a/apps/files_sharing/l10n/ro.json b/apps/files_sharing/l10n/ro.json index 73501a9acd0..1676f3d7f9f 100644 --- a/apps/files_sharing/l10n/ro.json +++ b/apps/files_sharing/l10n/ro.json @@ -3,6 +3,7 @@ "Shared with you" : "Partajat cu tine", "Shared with others" : "Partajat cu alții", "Cancel" : "Anulare", + "Share" : "Partajează", "Shared by" : "impartite in ", "This share is password-protected" : "Această partajare este protejată cu parolă", "The password is wrong. Try again." : "Parola este incorectă. Încercaţi din nou.", diff --git a/apps/files_sharing/l10n/ru.js b/apps/files_sharing/l10n/ru.js index 0212726e204..588dc05f611 100644 --- a/apps/files_sharing/l10n/ru.js +++ b/apps/files_sharing/l10n/ru.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Добавить удалённый общий ресурс", "No ownCloud installation (7 or higher) found at {remote}" : "На удаленном ресурсе {remote} не установлен ownCloud версии 7 или выше", "Invalid ownCloud url" : "Неверный адрес ownCloud", + "Share" : "Поделиться", "Shared by" : "Поделился", "A file or folder was shared from <strong>another server</strong>" : "Файлом или каталогом поделились с <strong>удаленного сервера</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Общий файл или каталог был <strong>скачан</strong>", diff --git a/apps/files_sharing/l10n/ru.json b/apps/files_sharing/l10n/ru.json index d14ffa43101..1a2fcbb9d95 100644 --- a/apps/files_sharing/l10n/ru.json +++ b/apps/files_sharing/l10n/ru.json @@ -19,6 +19,7 @@ "Add remote share" : "Добавить удалённый общий ресурс", "No ownCloud installation (7 or higher) found at {remote}" : "На удаленном ресурсе {remote} не установлен ownCloud версии 7 или выше", "Invalid ownCloud url" : "Неверный адрес ownCloud", + "Share" : "Поделиться", "Shared by" : "Поделился", "A file or folder was shared from <strong>another server</strong>" : "Файлом или каталогом поделились с <strong>удаленного сервера</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "Общий файл или каталог был <strong>скачан</strong>", diff --git a/apps/files_sharing/l10n/si_LK.js b/apps/files_sharing/l10n/si_LK.js index f55e8fc6d50..6d69abd7ef3 100644 --- a/apps/files_sharing/l10n/si_LK.js +++ b/apps/files_sharing/l10n/si_LK.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "එපා", + "Share" : "බෙදා හදා ගන්න", "Password" : "මුර පදය", "Name" : "නම", "Download" : "බාන්න" diff --git a/apps/files_sharing/l10n/si_LK.json b/apps/files_sharing/l10n/si_LK.json index 528b13cd6e4..6a78f6d7dce 100644 --- a/apps/files_sharing/l10n/si_LK.json +++ b/apps/files_sharing/l10n/si_LK.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "එපා", + "Share" : "බෙදා හදා ගන්න", "Password" : "මුර පදය", "Name" : "නම", "Download" : "බාන්න" diff --git a/apps/files_sharing/l10n/sk_SK.js b/apps/files_sharing/l10n/sk_SK.js index 5467f33eba1..b9ed2765bf5 100644 --- a/apps/files_sharing/l10n/sk_SK.js +++ b/apps/files_sharing/l10n/sk_SK.js @@ -13,6 +13,7 @@ OC.L10N.register( "Cancel" : "Zrušiť", "Add remote share" : "Pridať vzdialené úložisko", "Invalid ownCloud url" : "Chybná ownCloud url", + "Share" : "Zdieľať", "Shared by" : "Zdieľa", "This share is password-protected" : "Toto zdieľanie je chránené heslom", "The password is wrong. Try again." : "Heslo je chybné. Skúste to znova.", diff --git a/apps/files_sharing/l10n/sk_SK.json b/apps/files_sharing/l10n/sk_SK.json index 811e9182db2..aacd55cc2a5 100644 --- a/apps/files_sharing/l10n/sk_SK.json +++ b/apps/files_sharing/l10n/sk_SK.json @@ -11,6 +11,7 @@ "Cancel" : "Zrušiť", "Add remote share" : "Pridať vzdialené úložisko", "Invalid ownCloud url" : "Chybná ownCloud url", + "Share" : "Zdieľať", "Shared by" : "Zdieľa", "This share is password-protected" : "Toto zdieľanie je chránené heslom", "The password is wrong. Try again." : "Heslo je chybné. Skúste to znova.", diff --git a/apps/files_sharing/l10n/sl.js b/apps/files_sharing/l10n/sl.js index 5fe340ab04c..b770800e187 100644 --- a/apps/files_sharing/l10n/sl.js +++ b/apps/files_sharing/l10n/sl.js @@ -21,6 +21,7 @@ OC.L10N.register( "Add remote share" : "Dodaj oddaljeno mesto za souporabo", "No ownCloud installation (7 or higher) found at {remote}" : "Na mestu {remote} ni nameščenega okolja ownCloud (različice 7 ali višje)", "Invalid ownCloud url" : "Naveden je neveljaven naslov URL strežnika ownCloud", + "Share" : "Souporaba", "Shared by" : "V souporabi z", "A file or folder was shared from <strong>another server</strong>" : "Souporaba datoteke ali mape <strong>z drugega strežnika</strong> je odobrena.", "A public shared file or folder was <strong>downloaded</strong>" : "Mapa ali datoteka v souporabi je bila <strong>prejeta</strong>.", diff --git a/apps/files_sharing/l10n/sl.json b/apps/files_sharing/l10n/sl.json index 2618dce954e..38761d82764 100644 --- a/apps/files_sharing/l10n/sl.json +++ b/apps/files_sharing/l10n/sl.json @@ -19,6 +19,7 @@ "Add remote share" : "Dodaj oddaljeno mesto za souporabo", "No ownCloud installation (7 or higher) found at {remote}" : "Na mestu {remote} ni nameščenega okolja ownCloud (različice 7 ali višje)", "Invalid ownCloud url" : "Naveden je neveljaven naslov URL strežnika ownCloud", + "Share" : "Souporaba", "Shared by" : "V souporabi z", "A file or folder was shared from <strong>another server</strong>" : "Souporaba datoteke ali mape <strong>z drugega strežnika</strong> je odobrena.", "A public shared file or folder was <strong>downloaded</strong>" : "Mapa ali datoteka v souporabi je bila <strong>prejeta</strong>.", diff --git a/apps/files_sharing/l10n/sq.js b/apps/files_sharing/l10n/sq.js index 5f11b75039f..e09b4d4a4c6 100644 --- a/apps/files_sharing/l10n/sq.js +++ b/apps/files_sharing/l10n/sq.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Anullo", + "Share" : "Ndaj", "Shared by" : "Ndarë nga", "This share is password-protected" : "Kjo pjesë është e mbrojtur me fjalëkalim", "The password is wrong. Try again." : "Kodi është i gabuar. Provojeni përsëri.", diff --git a/apps/files_sharing/l10n/sq.json b/apps/files_sharing/l10n/sq.json index 491c0bfc7a9..1fd4a7fa978 100644 --- a/apps/files_sharing/l10n/sq.json +++ b/apps/files_sharing/l10n/sq.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Anullo", + "Share" : "Ndaj", "Shared by" : "Ndarë nga", "This share is password-protected" : "Kjo pjesë është e mbrojtur me fjalëkalim", "The password is wrong. Try again." : "Kodi është i gabuar. Provojeni përsëri.", diff --git a/apps/files_sharing/l10n/sr.js b/apps/files_sharing/l10n/sr.js index 6e8100375f1..68f64f4f138 100644 --- a/apps/files_sharing/l10n/sr.js +++ b/apps/files_sharing/l10n/sr.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Откажи", + "Share" : "Дели", "Shared by" : "Делио", "Password" : "Лозинка", "Name" : "Име", diff --git a/apps/files_sharing/l10n/sr.json b/apps/files_sharing/l10n/sr.json index 53642f3f349..86a7a4b57d0 100644 --- a/apps/files_sharing/l10n/sr.json +++ b/apps/files_sharing/l10n/sr.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Откажи", + "Share" : "Дели", "Shared by" : "Делио", "Password" : "Лозинка", "Name" : "Име", diff --git a/apps/files_sharing/l10n/sr@latin.js b/apps/files_sharing/l10n/sr@latin.js index 6e13a919b1b..421588843bd 100644 --- a/apps/files_sharing/l10n/sr@latin.js +++ b/apps/files_sharing/l10n/sr@latin.js @@ -2,7 +2,9 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Otkaži", + "Share" : "Podeli", "Password" : "Lozinka", + "No entries found in this folder" : "Nema unosa u ovom direktorijumu", "Name" : "Ime", "Download" : "Preuzmi" }, diff --git a/apps/files_sharing/l10n/sr@latin.json b/apps/files_sharing/l10n/sr@latin.json index 9aebf35fc82..6463297ee0b 100644 --- a/apps/files_sharing/l10n/sr@latin.json +++ b/apps/files_sharing/l10n/sr@latin.json @@ -1,6 +1,8 @@ { "translations": { "Cancel" : "Otkaži", + "Share" : "Podeli", "Password" : "Lozinka", + "No entries found in this folder" : "Nema unosa u ovom direktorijumu", "Name" : "Ime", "Download" : "Preuzmi" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" diff --git a/apps/files_sharing/l10n/sv.js b/apps/files_sharing/l10n/sv.js index bab77a7431e..05487983985 100644 --- a/apps/files_sharing/l10n/sv.js +++ b/apps/files_sharing/l10n/sv.js @@ -20,6 +20,7 @@ OC.L10N.register( "Cancel" : "Avbryt", "Add remote share" : "Lägg till fjärrdelning", "Invalid ownCloud url" : "Felaktig ownCloud url", + "Share" : "Dela", "Shared by" : "Delad av", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mapp delades från <strong>en annan server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En publikt delad fil eller mapp blev <strong>nerladdad</strong>", diff --git a/apps/files_sharing/l10n/sv.json b/apps/files_sharing/l10n/sv.json index a7334a15685..8a82105f1b3 100644 --- a/apps/files_sharing/l10n/sv.json +++ b/apps/files_sharing/l10n/sv.json @@ -18,6 +18,7 @@ "Cancel" : "Avbryt", "Add remote share" : "Lägg till fjärrdelning", "Invalid ownCloud url" : "Felaktig ownCloud url", + "Share" : "Dela", "Shared by" : "Delad av", "A file or folder was shared from <strong>another server</strong>" : "En fil eller mapp delades från <strong>en annan server</strong>", "A public shared file or folder was <strong>downloaded</strong>" : "En publikt delad fil eller mapp blev <strong>nerladdad</strong>", diff --git a/apps/files_sharing/l10n/ta_LK.js b/apps/files_sharing/l10n/ta_LK.js index 846ed1b4f84..d81565a3f62 100644 --- a/apps/files_sharing/l10n/ta_LK.js +++ b/apps/files_sharing/l10n/ta_LK.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "இரத்து செய்க", + "Share" : "பகிர்வு", "Password" : "கடவுச்சொல்", "Name" : "பெயர்", "Download" : "பதிவிறக்குக" diff --git a/apps/files_sharing/l10n/ta_LK.json b/apps/files_sharing/l10n/ta_LK.json index 8e722a93889..4d2bfd332b5 100644 --- a/apps/files_sharing/l10n/ta_LK.json +++ b/apps/files_sharing/l10n/ta_LK.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "இரத்து செய்க", + "Share" : "பகிர்வு", "Password" : "கடவுச்சொல்", "Name" : "பெயர்", "Download" : "பதிவிறக்குக" diff --git a/apps/files_sharing/l10n/th_TH.js b/apps/files_sharing/l10n/th_TH.js index 153f7e222c6..d879c3d25af 100644 --- a/apps/files_sharing/l10n/th_TH.js +++ b/apps/files_sharing/l10n/th_TH.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "ยกเลิก", + "Share" : "แชร์", "Shared by" : "ถูกแชร์โดย", "Password" : "รหัสผ่าน", "Name" : "ชื่อ", diff --git a/apps/files_sharing/l10n/th_TH.json b/apps/files_sharing/l10n/th_TH.json index 05757834e53..1e793855e2b 100644 --- a/apps/files_sharing/l10n/th_TH.json +++ b/apps/files_sharing/l10n/th_TH.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "ยกเลิก", + "Share" : "แชร์", "Shared by" : "ถูกแชร์โดย", "Password" : "รหัสผ่าน", "Name" : "ชื่อ", diff --git a/apps/files_sharing/l10n/tr.js b/apps/files_sharing/l10n/tr.js index 8d6514a2177..2e7cb753dea 100644 --- a/apps/files_sharing/l10n/tr.js +++ b/apps/files_sharing/l10n/tr.js @@ -21,8 +21,16 @@ OC.L10N.register( "Add remote share" : "Uzak paylaşım ekle", "No ownCloud installation (7 or higher) found at {remote}" : "{remote} üzerinde ownCloud (7 veya daha üstü) kurulumu bulunamadı", "Invalid ownCloud url" : "Geçersiz ownCloud adresi", + "Share" : "Paylaş", "Shared by" : "Paylaşan", "A file or folder was shared from <strong>another server</strong>" : "<strong>Başka sunucudan</strong> bir dosya veya klasör paylaşıldı", + "A public shared file or folder was <strong>downloaded</strong>" : "Herkese açık paylaşılan bir dosya veya klasör <strong>indirildi</strong>", + "You received a new remote share from %s" : "%s kişisinden yeni bir uzak paylaşım aldınız", + "%1$s accepted remote share %2$s" : "%1$s, %2$s uzak paylaşımını kabul etti", + "%1$s declined remote share %2$s" : "%1$s, %2$s uzak paylaşımını reddetti", + "%1$s unshared %2$s from you" : "%1$s, sizinle %2$s paylaşımını durdurdu", + "Public shared folder %1$s was downloaded" : "Herkese açık paylaşılan klasör %1$s indirildi", + "Public shared file %1$s was downloaded" : "Herkese açık paylaşılan dosya %1$s indirildi", "This share is password-protected" : "Bu paylaşım parola korumalı", "The password is wrong. Try again." : "Parola hatalı. Yeniden deneyin.", "Password" : "Parola", diff --git a/apps/files_sharing/l10n/tr.json b/apps/files_sharing/l10n/tr.json index 93be4e35a8e..bd6b9a3847b 100644 --- a/apps/files_sharing/l10n/tr.json +++ b/apps/files_sharing/l10n/tr.json @@ -19,8 +19,16 @@ "Add remote share" : "Uzak paylaşım ekle", "No ownCloud installation (7 or higher) found at {remote}" : "{remote} üzerinde ownCloud (7 veya daha üstü) kurulumu bulunamadı", "Invalid ownCloud url" : "Geçersiz ownCloud adresi", + "Share" : "Paylaş", "Shared by" : "Paylaşan", "A file or folder was shared from <strong>another server</strong>" : "<strong>Başka sunucudan</strong> bir dosya veya klasör paylaşıldı", + "A public shared file or folder was <strong>downloaded</strong>" : "Herkese açık paylaşılan bir dosya veya klasör <strong>indirildi</strong>", + "You received a new remote share from %s" : "%s kişisinden yeni bir uzak paylaşım aldınız", + "%1$s accepted remote share %2$s" : "%1$s, %2$s uzak paylaşımını kabul etti", + "%1$s declined remote share %2$s" : "%1$s, %2$s uzak paylaşımını reddetti", + "%1$s unshared %2$s from you" : "%1$s, sizinle %2$s paylaşımını durdurdu", + "Public shared folder %1$s was downloaded" : "Herkese açık paylaşılan klasör %1$s indirildi", + "Public shared file %1$s was downloaded" : "Herkese açık paylaşılan dosya %1$s indirildi", "This share is password-protected" : "Bu paylaşım parola korumalı", "The password is wrong. Try again." : "Parola hatalı. Yeniden deneyin.", "Password" : "Parola", diff --git a/apps/files_sharing/l10n/ug.js b/apps/files_sharing/l10n/ug.js index 2e1fcc17441..4a9b698aa00 100644 --- a/apps/files_sharing/l10n/ug.js +++ b/apps/files_sharing/l10n/ug.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "ۋاز كەچ", + "Share" : "ھەمبەھىر", "Shared by" : "ھەمبەھىرلىگۈچى", "Password" : "ئىم", "Name" : "ئاتى", diff --git a/apps/files_sharing/l10n/ug.json b/apps/files_sharing/l10n/ug.json index da37c17a579..a4253e61d07 100644 --- a/apps/files_sharing/l10n/ug.json +++ b/apps/files_sharing/l10n/ug.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "ۋاز كەچ", + "Share" : "ھەمبەھىر", "Shared by" : "ھەمبەھىرلىگۈچى", "Password" : "ئىم", "Name" : "ئاتى", diff --git a/apps/files_sharing/l10n/uk.js b/apps/files_sharing/l10n/uk.js index 47ae87389f0..7d7b8bb6981 100644 --- a/apps/files_sharing/l10n/uk.js +++ b/apps/files_sharing/l10n/uk.js @@ -14,6 +14,7 @@ OC.L10N.register( "Cancel" : "Відмінити", "Add remote share" : "Додати віддалену загальну теку", "Invalid ownCloud url" : "Невірний ownCloud URL", + "Share" : "Поділитися", "Shared by" : "Опубліковано", "This share is password-protected" : "Цей ресурс обміну захищений паролем", "The password is wrong. Try again." : "Невірний пароль. Спробуйте ще раз.", diff --git a/apps/files_sharing/l10n/uk.json b/apps/files_sharing/l10n/uk.json index 1a0bd7c7b11..7001016e579 100644 --- a/apps/files_sharing/l10n/uk.json +++ b/apps/files_sharing/l10n/uk.json @@ -12,6 +12,7 @@ "Cancel" : "Відмінити", "Add remote share" : "Додати віддалену загальну теку", "Invalid ownCloud url" : "Невірний ownCloud URL", + "Share" : "Поділитися", "Shared by" : "Опубліковано", "This share is password-protected" : "Цей ресурс обміну захищений паролем", "The password is wrong. Try again." : "Невірний пароль. Спробуйте ще раз.", diff --git a/apps/files_sharing/l10n/ur_PK.js b/apps/files_sharing/l10n/ur_PK.js index 2e9b145d789..ad802fe8ea3 100644 --- a/apps/files_sharing/l10n/ur_PK.js +++ b/apps/files_sharing/l10n/ur_PK.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "منسوخ کریں", + "Share" : "اشتراک", "Shared by" : "سے اشتراک شدہ", "Password" : "پاسورڈ", "Name" : "اسم", diff --git a/apps/files_sharing/l10n/ur_PK.json b/apps/files_sharing/l10n/ur_PK.json index b0ac6d244b8..5431e0a2fa5 100644 --- a/apps/files_sharing/l10n/ur_PK.json +++ b/apps/files_sharing/l10n/ur_PK.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "منسوخ کریں", + "Share" : "اشتراک", "Shared by" : "سے اشتراک شدہ", "Password" : "پاسورڈ", "Name" : "اسم", diff --git a/apps/files_sharing/l10n/vi.js b/apps/files_sharing/l10n/vi.js index 3b73c2c9ec4..e3a4c83d58b 100644 --- a/apps/files_sharing/l10n/vi.js +++ b/apps/files_sharing/l10n/vi.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "Hủy", + "Share" : "Chia sẻ", "Shared by" : "Chia sẻ bởi", "Password" : "Mật khẩu", "Name" : "Tên", diff --git a/apps/files_sharing/l10n/vi.json b/apps/files_sharing/l10n/vi.json index 149509fa91e..e3c784e5b78 100644 --- a/apps/files_sharing/l10n/vi.json +++ b/apps/files_sharing/l10n/vi.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "Hủy", + "Share" : "Chia sẻ", "Shared by" : "Chia sẻ bởi", "Password" : "Mật khẩu", "Name" : "Tên", diff --git a/apps/files_sharing/l10n/zh_CN.js b/apps/files_sharing/l10n/zh_CN.js index c97aa805ca7..64004e3b1ae 100644 --- a/apps/files_sharing/l10n/zh_CN.js +++ b/apps/files_sharing/l10n/zh_CN.js @@ -12,6 +12,7 @@ OC.L10N.register( "Cancel" : "取消", "Add remote share" : "添加远程分享", "Invalid ownCloud url" : "无效的 ownCloud 网址", + "Share" : "共享", "Shared by" : "共享人", "This share is password-protected" : "这是一个密码保护的共享", "The password is wrong. Try again." : "用户名或密码错误!请重试", diff --git a/apps/files_sharing/l10n/zh_CN.json b/apps/files_sharing/l10n/zh_CN.json index a06835a7f1f..4223da44404 100644 --- a/apps/files_sharing/l10n/zh_CN.json +++ b/apps/files_sharing/l10n/zh_CN.json @@ -10,6 +10,7 @@ "Cancel" : "取消", "Add remote share" : "添加远程分享", "Invalid ownCloud url" : "无效的 ownCloud 网址", + "Share" : "共享", "Shared by" : "共享人", "This share is password-protected" : "这是一个密码保护的共享", "The password is wrong. Try again." : "用户名或密码错误!请重试", diff --git a/apps/files_sharing/l10n/zh_HK.js b/apps/files_sharing/l10n/zh_HK.js index 02246228f3c..95bde13eda1 100644 --- a/apps/files_sharing/l10n/zh_HK.js +++ b/apps/files_sharing/l10n/zh_HK.js @@ -2,6 +2,7 @@ OC.L10N.register( "files_sharing", { "Cancel" : "取消", + "Share" : "分享", "Password" : "密碼", "Name" : "名稱", "Download" : "下載" diff --git a/apps/files_sharing/l10n/zh_HK.json b/apps/files_sharing/l10n/zh_HK.json index dedf9d2e9ee..6f18eaf373c 100644 --- a/apps/files_sharing/l10n/zh_HK.json +++ b/apps/files_sharing/l10n/zh_HK.json @@ -1,5 +1,6 @@ { "translations": { "Cancel" : "取消", + "Share" : "分享", "Password" : "密碼", "Name" : "名稱", "Download" : "下載" diff --git a/apps/files_sharing/l10n/zh_TW.js b/apps/files_sharing/l10n/zh_TW.js index d379da10ca9..6d6f73c64c9 100644 --- a/apps/files_sharing/l10n/zh_TW.js +++ b/apps/files_sharing/l10n/zh_TW.js @@ -12,6 +12,7 @@ OC.L10N.register( "Cancel" : "取消", "Add remote share" : "加入遠端分享", "Invalid ownCloud url" : "無效的 ownCloud URL", + "Share" : "分享", "Shared by" : "由...分享", "This share is password-protected" : "這個分享有密碼保護", "The password is wrong. Try again." : "請檢查您的密碼並再試一次", diff --git a/apps/files_sharing/l10n/zh_TW.json b/apps/files_sharing/l10n/zh_TW.json index a4fc1ae2ea2..d7518ef2578 100644 --- a/apps/files_sharing/l10n/zh_TW.json +++ b/apps/files_sharing/l10n/zh_TW.json @@ -10,6 +10,7 @@ "Cancel" : "取消", "Add remote share" : "加入遠端分享", "Invalid ownCloud url" : "無效的 ownCloud URL", + "Share" : "分享", "Shared by" : "由...分享", "This share is password-protected" : "這個分享有密碼保護", "The password is wrong. Try again." : "請檢查您的密碼並再試一次", diff --git a/apps/files_trashbin/l10n/fr.js b/apps/files_trashbin/l10n/fr.js index ccda19fb69c..573977570a7 100644 --- a/apps/files_trashbin/l10n/fr.js +++ b/apps/files_trashbin/l10n/fr.js @@ -10,6 +10,7 @@ OC.L10N.register( "restored" : "restauré", "No deleted files" : "Aucun fichier supprimé", "You will be able to recover deleted files from here" : "Vous pourrez restaurer vos fichiers supprimés ici", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Select all" : "Tout sélectionner", "Name" : "Nom", "Deleted" : "Effacé", diff --git a/apps/files_trashbin/l10n/fr.json b/apps/files_trashbin/l10n/fr.json index 523e575a958..f4525b9d079 100644 --- a/apps/files_trashbin/l10n/fr.json +++ b/apps/files_trashbin/l10n/fr.json @@ -8,6 +8,7 @@ "restored" : "restauré", "No deleted files" : "Aucun fichier supprimé", "You will be able to recover deleted files from here" : "Vous pourrez restaurer vos fichiers supprimés ici", + "No entries found in this folder" : "Aucune entrée trouvée dans ce dossier", "Select all" : "Tout sélectionner", "Name" : "Nom", "Deleted" : "Effacé", diff --git a/apps/files_trashbin/l10n/pt_PT.js b/apps/files_trashbin/l10n/pt_PT.js index 7427cebfca5..291d5085233 100644 --- a/apps/files_trashbin/l10n/pt_PT.js +++ b/apps/files_trashbin/l10n/pt_PT.js @@ -9,6 +9,7 @@ OC.L10N.register( "Error" : "Erro", "restored" : "Restaurado", "No deleted files" : "Sem ficheiros eliminados", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Seleccionar todos", "Name" : "Nome", "Deleted" : "Eliminado", diff --git a/apps/files_trashbin/l10n/pt_PT.json b/apps/files_trashbin/l10n/pt_PT.json index 97fe7ac33aa..8fd729edc90 100644 --- a/apps/files_trashbin/l10n/pt_PT.json +++ b/apps/files_trashbin/l10n/pt_PT.json @@ -7,6 +7,7 @@ "Error" : "Erro", "restored" : "Restaurado", "No deleted files" : "Sem ficheiros eliminados", + "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Seleccionar todos", "Name" : "Nome", "Deleted" : "Eliminado", diff --git a/apps/files_trashbin/l10n/sr@latin.js b/apps/files_trashbin/l10n/sr@latin.js index ee9560bf680..ab9f86c8d37 100644 --- a/apps/files_trashbin/l10n/sr@latin.js +++ b/apps/files_trashbin/l10n/sr@latin.js @@ -1,8 +1,19 @@ OC.L10N.register( "files_trashbin", { + "Couldn't delete %s permanently" : "Nije bilo moguće obrisati %s za stalno", + "Couldn't restore %s" : "Nije bilo moguće povratiti %s", + "Deleted files" : "Obrisani fajlovi", + "Restore" : "Povrati", + "Delete permanently" : "Obriši za stalno", "Error" : "Greška", + "restored" : "povraćeno", + "No deleted files" : "Nema obrisanih fajlova", + "You will be able to recover deleted files from here" : "Odavde ćete moći da povratite obrisane fajlove", + "No entries found in this folder" : "Nema unosa u ovom direktorijumu", + "Select all" : "Odaberi sve", "Name" : "Ime", + "Deleted" : "Obrisano", "Delete" : "Obriši" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_trashbin/l10n/sr@latin.json b/apps/files_trashbin/l10n/sr@latin.json index 3f64cf8f2b9..8e2d627c3e7 100644 --- a/apps/files_trashbin/l10n/sr@latin.json +++ b/apps/files_trashbin/l10n/sr@latin.json @@ -1,6 +1,17 @@ { "translations": { + "Couldn't delete %s permanently" : "Nije bilo moguće obrisati %s za stalno", + "Couldn't restore %s" : "Nije bilo moguće povratiti %s", + "Deleted files" : "Obrisani fajlovi", + "Restore" : "Povrati", + "Delete permanently" : "Obriši za stalno", "Error" : "Greška", + "restored" : "povraćeno", + "No deleted files" : "Nema obrisanih fajlova", + "You will be able to recover deleted files from here" : "Odavde ćete moći da povratite obrisane fajlove", + "No entries found in this folder" : "Nema unosa u ovom direktorijumu", + "Select all" : "Odaberi sve", "Name" : "Ime", + "Deleted" : "Obrisano", "Delete" : "Obriši" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" }
\ No newline at end of file diff --git a/apps/files_versions/l10n/sr@latin.js b/apps/files_versions/l10n/sr@latin.js new file mode 100644 index 00000000000..79b152e9f32 --- /dev/null +++ b/apps/files_versions/l10n/sr@latin.js @@ -0,0 +1,6 @@ +OC.L10N.register( + "files_versions", + { + "Restore" : "Povrati" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_versions/l10n/sr@latin.json b/apps/files_versions/l10n/sr@latin.json new file mode 100644 index 00000000000..d77f7c59ea1 --- /dev/null +++ b/apps/files_versions/l10n/sr@latin.json @@ -0,0 +1,4 @@ +{ "translations": { + "Restore" : "Povrati" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +}
\ No newline at end of file diff --git a/apps/user_ldap/l10n/fr.js b/apps/user_ldap/l10n/fr.js index cd7ef4d0005..e9574595491 100644 --- a/apps/user_ldap/l10n/fr.js +++ b/apps/user_ldap/l10n/fr.js @@ -18,8 +18,8 @@ OC.L10N.register( "mappings cleared" : "associations supprimées", "Success" : "Succès", "Error" : "Erreur", - "Please specify a Base DN" : "Veuillez spécifier une Base DN", - "Could not determine Base DN" : "Impossible de déterminer la Base DN", + "Please specify a Base DN" : "Veuillez spécifier un Base DN", + "Could not determine Base DN" : "Impossible de déterminer le Base DN", "Please specify the port" : "Veuillez indiquer le port", "Configuration OK" : "Configuration OK", "Configuration incorrect" : "Configuration incorrecte", diff --git a/apps/user_ldap/l10n/fr.json b/apps/user_ldap/l10n/fr.json index c092fb0f02d..b9012718362 100644 --- a/apps/user_ldap/l10n/fr.json +++ b/apps/user_ldap/l10n/fr.json @@ -16,8 +16,8 @@ "mappings cleared" : "associations supprimées", "Success" : "Succès", "Error" : "Erreur", - "Please specify a Base DN" : "Veuillez spécifier une Base DN", - "Could not determine Base DN" : "Impossible de déterminer la Base DN", + "Please specify a Base DN" : "Veuillez spécifier un Base DN", + "Could not determine Base DN" : "Impossible de déterminer le Base DN", "Please specify the port" : "Veuillez indiquer le port", "Configuration OK" : "Configuration OK", "Configuration incorrect" : "Configuration incorrecte", diff --git a/apps/user_ldap/l10n/yo.js b/apps/user_ldap/l10n/yo.js new file mode 100644 index 00000000000..37042a4f412 --- /dev/null +++ b/apps/user_ldap/l10n/yo.js @@ -0,0 +1,7 @@ +OC.L10N.register( + "user_ldap", + { + "_%s group found_::_%s groups found_" : ["",""], + "_%s user found_::_%s users found_" : ["",""] +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/user_ldap/l10n/yo.json b/apps/user_ldap/l10n/yo.json new file mode 100644 index 00000000000..521de7ba1a8 --- /dev/null +++ b/apps/user_ldap/l10n/yo.json @@ -0,0 +1,5 @@ +{ "translations": { + "_%s group found_::_%s groups found_" : ["",""], + "_%s user found_::_%s users found_" : ["",""] +},"pluralForm" :"nplurals=2; plural=(n != 1);" +}
\ No newline at end of file diff --git a/apps/user_ldap/lib/access.php b/apps/user_ldap/lib/access.php index f3657176f70..0fb968cebe7 100644 --- a/apps/user_ldap/lib/access.php +++ b/apps/user_ldap/lib/access.php @@ -149,7 +149,11 @@ class Access extends LDAPUtility implements user\IUserTools { $this->abandonPagedSearch(); // openLDAP requires that we init a new Paged Search. Not needed by AD, // but does not hurt either. - $this->initPagedSearch($filter, array($dn), array($attr), 1, 0); + $pagingSize = intval($this->connection->ldapPagingSize); + // 0 won't result in replies, small numbers may leave out groups + // (cf. #12306), 500 is default for paging and should work everywhere. + $maxResults = $pagingSize < 20 ? $pagingSize : 500; + $this->initPagedSearch($filter, array($dn), array($attr), $maxResults, 0); $dn = $this->DNasBaseParameter($dn); $rr = @$this->ldap->read($cr, $dn, $filter, array($attr)); if(!$this->ldap->isResource($rr)) { diff --git a/apps/user_ldap/lib/connection.php b/apps/user_ldap/lib/connection.php index c9b4fded9f9..a9d21ffc8e7 100644 --- a/apps/user_ldap/lib/connection.php +++ b/apps/user_ldap/lib/connection.php @@ -26,11 +26,13 @@ namespace OCA\user_ldap\lib; //magic properties (incomplete) /** * responsible for LDAP connections in context with the provided configuration + * * @property string ldapUserFilter * @property string ldapUserDisplayName * @property boolean hasPagedResultSupport * @property string[] ldapBaseUsers -*/ + * @property int|string ldapPagingSize holds an integer + */ class Connection extends LDAPUtility { private $ldapConnectionRes = null; private $configPrefix; diff --git a/console.php b/console.php index 4b0adae539e..6d3ab20bc16 100644 --- a/console.php +++ b/console.php @@ -22,6 +22,21 @@ try { exit(0); } + if (!OC_Util::runningOnWindows()) { + if (!function_exists('posix_getuid')) { + echo "The posix extensions are required - see http://php.net/manual/en/book.posix.php" . PHP_EOL; + exit(0); + } + $user = posix_getpwuid(posix_getuid()); + $configUser = posix_getpwuid(fileowner(OC::$SERVERROOT . '/config/config.php')); + if ($user['name'] !== $configUser['name']) { + echo "Console has to be executed with the same user as the web server is operated" . PHP_EOL; + echo "Current user: " . $user['name'] . PHP_EOL; + echo "Web server user: " . $configUser['name'] . PHP_EOL; + exit(0); + } + } + // only load apps if no update is due, // else only core commands will be available if (!\OCP\Util::needUpgrade()) { diff --git a/core/command/db/converttype.php b/core/command/db/converttype.php index 8d1560b0511..9d03b705d12 100644 --- a/core/command/db/converttype.php +++ b/core/command/db/converttype.php @@ -228,8 +228,9 @@ class ConvertType extends Command { } protected function getTables(Connection $db) { + $filterExpression = '/^' . preg_quote($this->config->getSystemValue('dbtableprefix', 'oc_')) . '/'; $db->getConfiguration()-> - setFilterSchemaAssetsExpression('/^'.$this->config->getSystemValue('dbtableprefix', 'oc_').'/'); + setFilterSchemaAssetsExpression($filterExpression); return $db->getSchemaManager()->listTableNames(); } diff --git a/core/l10n/cs_CZ.js b/core/l10n/cs_CZ.js index 223105fd381..6ad0d37de11 100644 --- a/core/l10n/cs_CZ.js +++ b/core/l10n/cs_CZ.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Obnovit heslo", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X není podporován a %s nebude na této platformě správně fungovat. Používejte pouze na vlastní nebezpečí!", "For the best results, please consider using a GNU/Linux server instead." : "Místo toho zvažte pro nejlepší funkčnost použití GNU/Linux serveru.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Vypadá to, že tato %s instance běží v 32 bitovém PHP prostředí a byl nakonfigurován open_basedir v php.ini. Toto povede k problémům se soubory většími než 4GB a není doporučováno.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Odstraňte prosím open_basedir nastavení ve svém php.ini nebo přejděte na 64 bitové PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Vypadá to, že tato %s instance běží v 32 bitovém PHP prostředí a není nainstalováno cURL. Toto povede k problémům se soubory většími než 4GB a zásadně není doporučováno.", "Please install the cURL extension and restart your webserver." : "Nainstalujte prosím cURL rozšíření a restartujte webový server.", "Personal" : "Osobní", "Users" : "Uživatelé", diff --git a/core/l10n/cs_CZ.json b/core/l10n/cs_CZ.json index 5c4060adace..20770859131 100644 --- a/core/l10n/cs_CZ.json +++ b/core/l10n/cs_CZ.json @@ -133,6 +133,9 @@ "Reset password" : "Obnovit heslo", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X není podporován a %s nebude na této platformě správně fungovat. Používejte pouze na vlastní nebezpečí!", "For the best results, please consider using a GNU/Linux server instead." : "Místo toho zvažte pro nejlepší funkčnost použití GNU/Linux serveru.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Vypadá to, že tato %s instance běží v 32 bitovém PHP prostředí a byl nakonfigurován open_basedir v php.ini. Toto povede k problémům se soubory většími než 4GB a není doporučováno.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Odstraňte prosím open_basedir nastavení ve svém php.ini nebo přejděte na 64 bitové PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Vypadá to, že tato %s instance běží v 32 bitovém PHP prostředí a není nainstalováno cURL. Toto povede k problémům se soubory většími než 4GB a zásadně není doporučováno.", "Please install the cURL extension and restart your webserver." : "Nainstalujte prosím cURL rozšíření a restartujte webový server.", "Personal" : "Osobní", "Users" : "Uživatelé", diff --git a/core/l10n/da.js b/core/l10n/da.js index 5ec9ae1a1de..247a5898f05 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Nulstil kodeord", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X understøttes ikke og %s vil ikke virke optimalt på denne platform. Anvend på eget ansvar!", "For the best results, please consider using a GNU/Linux server instead." : "For de bedste resultater, overvej venligst at bruge en GNU/Linux-server i stedet.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at open_basedir er blevet konfigureret gennem php.ini. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Fjern venligst indstillingen for open_basedir inde i din php.ini eller skift til 64-bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at cURL ikke er installeret. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", "Please install the cURL extension and restart your webserver." : "Installér venligst cURL-udvidelsen og genstart din webserver.", "Personal" : "Personligt", "Users" : "Brugere", diff --git a/core/l10n/da.json b/core/l10n/da.json index a24baf07254..3727e0bf609 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -133,6 +133,9 @@ "Reset password" : "Nulstil kodeord", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X understøttes ikke og %s vil ikke virke optimalt på denne platform. Anvend på eget ansvar!", "For the best results, please consider using a GNU/Linux server instead." : "For de bedste resultater, overvej venligst at bruge en GNU/Linux-server i stedet.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at open_basedir er blevet konfigureret gennem php.ini. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Fjern venligst indstillingen for open_basedir inde i din php.ini eller skift til 64-bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at cURL ikke er installeret. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", "Please install the cURL extension and restart your webserver." : "Installér venligst cURL-udvidelsen og genstart din webserver.", "Personal" : "Personligt", "Users" : "Brugere", diff --git a/core/l10n/de.js b/core/l10n/de.js index 9fde6f7756e..94c5c6a54a2 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Passwort zurücksetzen", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wird nicht unterstützt und %s wird auf dieser Platform nicht korrekt funktionieren. Benutzung auf eigenes Risiko!", "For the best results, please consider using a GNU/Linux server instead." : "Für die besten Resultate sollte stattdessen ein GNU/Linux Server verwendet werden.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und die open_basedir wurde in der php.ini konfiguriert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Bitte entferne die open_basedir - Einstellung in Deiner php.ini oder wechsle zum 64Bit-PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und cURL ist nicht installiert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", "Please install the cURL extension and restart your webserver." : "Bitte installiere die cURL-Erweiterung und starte den Webserver neu.", "Personal" : "Persönlich", "Users" : "Benutzer", diff --git a/core/l10n/de.json b/core/l10n/de.json index e95d3f3614f..10cc7247534 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -133,6 +133,9 @@ "Reset password" : "Passwort zurücksetzen", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wird nicht unterstützt und %s wird auf dieser Platform nicht korrekt funktionieren. Benutzung auf eigenes Risiko!", "For the best results, please consider using a GNU/Linux server instead." : "Für die besten Resultate sollte stattdessen ein GNU/Linux Server verwendet werden.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und die open_basedir wurde in der php.ini konfiguriert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Bitte entferne die open_basedir - Einstellung in Deiner php.ini oder wechsle zum 64Bit-PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und cURL ist nicht installiert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", "Please install the cURL extension and restart your webserver." : "Bitte installiere die cURL-Erweiterung und starte den Webserver neu.", "Personal" : "Persönlich", "Users" : "Benutzer", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index 950a85a0532..ffbb377ecf5 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Passwort zurücksetzen", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wird nicht unterstützt und %s wird auf dieser Platform nicht richtig funktionieren. Benutzung auf eigenes Risiko!", "For the best results, please consider using a GNU/Linux server instead." : "Für die besten Resultate sollte stattdessen ein GNU/Linux Server verwendet werden.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und die open_basedir wurde in der php.ini konfiguriert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Bitte entfernen Sie die open_basedir - Einstellung in Ihrer php.ini oder wechseln Sie zum 64Bit-PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und cURL ist nicht installiert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", "Please install the cURL extension and restart your webserver." : "Bitte installieren Sie die cURL-Erweiterung und starten Sie den Webserver neu.", "Personal" : "Persönlich", "Users" : "Benutzer", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index e9298ca317c..bbd390419bf 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -133,6 +133,9 @@ "Reset password" : "Passwort zurücksetzen", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wird nicht unterstützt und %s wird auf dieser Platform nicht richtig funktionieren. Benutzung auf eigenes Risiko!", "For the best results, please consider using a GNU/Linux server instead." : "Für die besten Resultate sollte stattdessen ein GNU/Linux Server verwendet werden.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und die open_basedir wurde in der php.ini konfiguriert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Bitte entfernen Sie die open_basedir - Einstellung in Ihrer php.ini oder wechseln Sie zum 64Bit-PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Es scheint, dass die %s - Instanz unter einer 32Bit PHP-Umgebung läuft und cURL ist nicht installiert. Dies führt zu Problemen mit Dateien über 4 GB und wird dringend abgeraten.", "Please install the cURL extension and restart your webserver." : "Bitte installieren Sie die cURL-Erweiterung und starten Sie den Webserver neu.", "Personal" : "Persönlich", "Users" : "Benutzer", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 92b63497675..eacb3fd6e76 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Reset password", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! ", "For the best results, please consider using a GNU/Linux server instead." : "For the best results, please consider using a GNU/Linux server instead.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged.", "Please install the cURL extension and restart your webserver." : "Please install the cURL extension and restart your webserver.", "Personal" : "Personal", "Users" : "Users", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index f4edbb623dd..65dfefeb0a3 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -133,6 +133,9 @@ "Reset password" : "Reset password", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! ", "For the best results, please consider using a GNU/Linux server instead." : "For the best results, please consider using a GNU/Linux server instead.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged.", "Please install the cURL extension and restart your webserver." : "Please install the cURL extension and restart your webserver.", "Personal" : "Personal", "Users" : "Users", diff --git a/core/l10n/es.js b/core/l10n/es.js index 9496ca29f8f..786567b3513 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -119,6 +119,7 @@ OC.L10N.register( "Hello world!" : "¡Hola mundo!", "sunny" : "soleado", "Hello {name}, the weather is {weather}" : "Hola {name}, el día es {weather}", + "Hello {name}" : "Hola {name}", "_download %n file_::_download %n files_" : ["descarga %n ficheros","descarga %n ficheros"], "Updating {productName} to version {version}, this may take a while." : "Actualizando {productName} a la versión {version}. Esto puede tardar un poco.", "Please reload the page." : "Recargue/Actualice la página", @@ -134,6 +135,9 @@ OC.L10N.register( "Reset password" : "Restablecer contraseña", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no está soportado y %s no funcionará bien en esta plataforma. ¡Úsela a su propio riesgo! ", "For the best results, please consider using a GNU/Linux server instead." : "Para óptimos resultados, considere utilizar un servidor GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Parece que esta instalación %s está funcionando en un entorno de PHP 32-bits y el open_basedir se ha configurado en php.ini. Esto acarreará problemas con arhivos superiores a 4GB y resulta altamente desaconsejado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, quite el ajuste de open_basedir —dentro de su php.ini— o pásese a PHP 64-bits.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Parece que esta instalación %s está funcionando en un entorno de PHP 32-bits y cURL no está instalado. Esto acarreará problemas con arhivos superiores a 4GB y resulta altamente desaconsejado.", "Please install the cURL extension and restart your webserver." : "Por favor, instale la extensión cURL y reinicie su servidor web.", "Personal" : "Personal", "Users" : "Usuarios", @@ -185,7 +189,7 @@ OC.L10N.register( "SQLite will be used as database. For larger installations we recommend to change this." : "Se usará SQLite como base de datos. Para instalaciones más grandes, es recomendable cambiar esto.", "Finish setup" : "Completar la instalación", "Finishing …" : "Finalizando...", - "This application requires JavaScript for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and reload the page." : "La aplicación requiere JavaScript para poder operar correctamente. Habilite <a href=\"http://enable-javascript.com/\" target=\"_blank\">activar JavaScript</a> y vuelva a cargar la página.", + "This application requires JavaScript for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and reload the page." : "La aplicación requiere JavaScript para poder operar correctamente. Habilite <a href=\"http://enable-javascript.com/\" target=\"_blank\">activar JavaScript</a> y recarge la página.", "%s is available. Get more information on how to update." : "%s está disponible. Obtener más información de como actualizar.", "Log out" : "Salir", "Search" : "Buscar", diff --git a/core/l10n/es.json b/core/l10n/es.json index 8f2b862e2e7..029d376fb29 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -117,6 +117,7 @@ "Hello world!" : "¡Hola mundo!", "sunny" : "soleado", "Hello {name}, the weather is {weather}" : "Hola {name}, el día es {weather}", + "Hello {name}" : "Hola {name}", "_download %n file_::_download %n files_" : ["descarga %n ficheros","descarga %n ficheros"], "Updating {productName} to version {version}, this may take a while." : "Actualizando {productName} a la versión {version}. Esto puede tardar un poco.", "Please reload the page." : "Recargue/Actualice la página", @@ -132,6 +133,9 @@ "Reset password" : "Restablecer contraseña", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no está soportado y %s no funcionará bien en esta plataforma. ¡Úsela a su propio riesgo! ", "For the best results, please consider using a GNU/Linux server instead." : "Para óptimos resultados, considere utilizar un servidor GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Parece que esta instalación %s está funcionando en un entorno de PHP 32-bits y el open_basedir se ha configurado en php.ini. Esto acarreará problemas con arhivos superiores a 4GB y resulta altamente desaconsejado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, quite el ajuste de open_basedir —dentro de su php.ini— o pásese a PHP 64-bits.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Parece que esta instalación %s está funcionando en un entorno de PHP 32-bits y cURL no está instalado. Esto acarreará problemas con arhivos superiores a 4GB y resulta altamente desaconsejado.", "Please install the cURL extension and restart your webserver." : "Por favor, instale la extensión cURL y reinicie su servidor web.", "Personal" : "Personal", "Users" : "Usuarios", @@ -183,7 +187,7 @@ "SQLite will be used as database. For larger installations we recommend to change this." : "Se usará SQLite como base de datos. Para instalaciones más grandes, es recomendable cambiar esto.", "Finish setup" : "Completar la instalación", "Finishing …" : "Finalizando...", - "This application requires JavaScript for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and reload the page." : "La aplicación requiere JavaScript para poder operar correctamente. Habilite <a href=\"http://enable-javascript.com/\" target=\"_blank\">activar JavaScript</a> y vuelva a cargar la página.", + "This application requires JavaScript for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and reload the page." : "La aplicación requiere JavaScript para poder operar correctamente. Habilite <a href=\"http://enable-javascript.com/\" target=\"_blank\">activar JavaScript</a> y recarge la página.", "%s is available. Get more information on how to update." : "%s está disponible. Obtener más información de como actualizar.", "Log out" : "Salir", "Search" : "Buscar", diff --git a/core/l10n/fi_FI.js b/core/l10n/fi_FI.js index 6be1f07381a..0c46dc75d7b 100644 --- a/core/l10n/fi_FI.js +++ b/core/l10n/fi_FI.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Palauta salasana", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X ei ole tuettu, joten %s ei toimi kunnolla tällä alustalla. Käytä omalla vastuulla!", "For the best results, please consider using a GNU/Linux server instead." : "Käytä parhaan lopputuloksen saamiseksi GNU/Linux-palvelinta.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Vaikuttaa siltä, että tämä %s-asennus toimii 32-bittisessä PHP-ympäristössä, ja asetus open_basedir on käytössä php.ini-tiedostossa. Tämä johtaa ongelmiin yli 4 gigatavun tiedostojen kanssa, eikä ole suositeltavaa.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Poista open_basedir-asetus php.ini-tiedostosta tai vaihda 64-bittiseen PHP:hen.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Vaikuttaa siltä, että tämä %s-asennus toimii 32-bittisessä PHP-ympäristössä, ja ettei cURL ole asennettuna. Tämä johtaa ongelmiin yli 4 gigatavun tiedostojen kanssa, eikä ole suositeltavaa.", "Please install the cURL extension and restart your webserver." : "Asenna cURL-laajennus ja käynnistä http-palvelin uudelleen.", "Personal" : "Henkilökohtainen", "Users" : "Käyttäjät", diff --git a/core/l10n/fi_FI.json b/core/l10n/fi_FI.json index 360ba9ad2dc..ee9e52f5187 100644 --- a/core/l10n/fi_FI.json +++ b/core/l10n/fi_FI.json @@ -133,6 +133,9 @@ "Reset password" : "Palauta salasana", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X ei ole tuettu, joten %s ei toimi kunnolla tällä alustalla. Käytä omalla vastuulla!", "For the best results, please consider using a GNU/Linux server instead." : "Käytä parhaan lopputuloksen saamiseksi GNU/Linux-palvelinta.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Vaikuttaa siltä, että tämä %s-asennus toimii 32-bittisessä PHP-ympäristössä, ja asetus open_basedir on käytössä php.ini-tiedostossa. Tämä johtaa ongelmiin yli 4 gigatavun tiedostojen kanssa, eikä ole suositeltavaa.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Poista open_basedir-asetus php.ini-tiedostosta tai vaihda 64-bittiseen PHP:hen.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Vaikuttaa siltä, että tämä %s-asennus toimii 32-bittisessä PHP-ympäristössä, ja ettei cURL ole asennettuna. Tämä johtaa ongelmiin yli 4 gigatavun tiedostojen kanssa, eikä ole suositeltavaa.", "Please install the cURL extension and restart your webserver." : "Asenna cURL-laajennus ja käynnistä http-palvelin uudelleen.", "Personal" : "Henkilökohtainen", "Users" : "Käyttäjät", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index d2b79a428d5..15f0313b9d1 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -119,6 +119,7 @@ OC.L10N.register( "Hello world!" : "Hello world!", "sunny" : "ensoleillé", "Hello {name}, the weather is {weather}" : "Bonjour {name}, le temps est {weather}", + "Hello {name}" : "Hello {name}", "_download %n file_::_download %n files_" : ["Télécharger %n fichier","Télécharger %n fichiers"], "Updating {productName} to version {version}, this may take a while." : "La mise à jour de {productName} vers la version {version} est en cours. Cela peut prendre un certain temps.", "Please reload the page." : "Veuillez recharger la page.", @@ -134,6 +135,9 @@ OC.L10N.register( "Reset password" : "Réinitialiser le mot de passe", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X n'est pas pris en charge et %s ne fonctionnera pas correctement sur cette plate-forme. Son utilisation est à vos risques et périls !", "For the best results, please consider using a GNU/Linux server instead." : "Pour obtenir les meilleurs résultats, vous devriez utiliser un serveur GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Il semble que cette instance %s fonctionne sur un environnement PHP 32-bits et open_basedir a été configuré dans php.ini. Cela engendre des problèmes avec les fichiers supérieurs à 4Go et cela est donc fortement déconseillé.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Veuillez supprimer la configuration open_basedir de votre php.ini ou basculer sur une version PHP 64-bits.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Il semble que cette instance %s fonctionne sur un environnement PHP 32-bits et cURL n'est pas installé. Cela engendre des problèmes avec les fichiers supérieurs à 4Go et cela est donc fortement déconseillé.", "Please install the cURL extension and restart your webserver." : "Veuillez installer l'extension cURL et redémarrer votre serveur web.", "Personal" : "Personnel", "Users" : "Utilisateurs", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index eb4710f0225..c60be765b17 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -117,6 +117,7 @@ "Hello world!" : "Hello world!", "sunny" : "ensoleillé", "Hello {name}, the weather is {weather}" : "Bonjour {name}, le temps est {weather}", + "Hello {name}" : "Hello {name}", "_download %n file_::_download %n files_" : ["Télécharger %n fichier","Télécharger %n fichiers"], "Updating {productName} to version {version}, this may take a while." : "La mise à jour de {productName} vers la version {version} est en cours. Cela peut prendre un certain temps.", "Please reload the page." : "Veuillez recharger la page.", @@ -132,6 +133,9 @@ "Reset password" : "Réinitialiser le mot de passe", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X n'est pas pris en charge et %s ne fonctionnera pas correctement sur cette plate-forme. Son utilisation est à vos risques et périls !", "For the best results, please consider using a GNU/Linux server instead." : "Pour obtenir les meilleurs résultats, vous devriez utiliser un serveur GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Il semble que cette instance %s fonctionne sur un environnement PHP 32-bits et open_basedir a été configuré dans php.ini. Cela engendre des problèmes avec les fichiers supérieurs à 4Go et cela est donc fortement déconseillé.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Veuillez supprimer la configuration open_basedir de votre php.ini ou basculer sur une version PHP 64-bits.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Il semble que cette instance %s fonctionne sur un environnement PHP 32-bits et cURL n'est pas installé. Cela engendre des problèmes avec les fichiers supérieurs à 4Go et cela est donc fortement déconseillé.", "Please install the cURL extension and restart your webserver." : "Veuillez installer l'extension cURL et redémarrer votre serveur web.", "Personal" : "Personnel", "Users" : "Utilisateurs", diff --git a/core/l10n/it.js b/core/l10n/it.js index dfdb350cd71..c0a092c0ac6 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Ripristina la password", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X non è supportato e %s non funzionerà correttamente su questa piattaforma. Usalo a tuo rischio!", "For the best results, please consider using a GNU/Linux server instead." : "Per avere il risultato migliore, prendi in considerazione l'utilizzo di un server GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Sembra che questa istanza di %s sia in esecuzione in un ambiente PHP a 32 bit e che open_basedir sia stata configurata in php.ini. Ciò comporterà problemi con i file più grandi di 4 GB ed è vivamente sconsigliato.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Rimuovi l'impostazione di open_basedir nel tuo php.ini o passa alla versione a 64 bit di PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Sembra che questa istanza di %s sia in esecuzione in un ambiente PHP a 32 bit e che cURL non sia installato. Ciò comporterà problemi con i file più grandi di 4 GB ed è vivamente sconsigliato.", "Please install the cURL extension and restart your webserver." : "Installa l'estensione cURL e riavvia il server web.", "Personal" : "Personale", "Users" : "Utenti", diff --git a/core/l10n/it.json b/core/l10n/it.json index d4362c06981..cbf956bb552 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -133,6 +133,9 @@ "Reset password" : "Ripristina la password", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X non è supportato e %s non funzionerà correttamente su questa piattaforma. Usalo a tuo rischio!", "For the best results, please consider using a GNU/Linux server instead." : "Per avere il risultato migliore, prendi in considerazione l'utilizzo di un server GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Sembra che questa istanza di %s sia in esecuzione in un ambiente PHP a 32 bit e che open_basedir sia stata configurata in php.ini. Ciò comporterà problemi con i file più grandi di 4 GB ed è vivamente sconsigliato.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Rimuovi l'impostazione di open_basedir nel tuo php.ini o passa alla versione a 64 bit di PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Sembra che questa istanza di %s sia in esecuzione in un ambiente PHP a 32 bit e che cURL non sia installato. Ciò comporterà problemi con i file più grandi di 4 GB ed è vivamente sconsigliato.", "Please install the cURL extension and restart your webserver." : "Installa l'estensione cURL e riavvia il server web.", "Personal" : "Personale", "Users" : "Utenti", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 7199dc767a5..c79b9be9a9e 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Reset wachtwoord", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wordt niet ondersteund en %s zal niet goed werken op dit platform. Gebruik het op uw eigen risico!", "For the best results, please consider using a GNU/Linux server instead." : "Voor het beste resultaat adviseren wij het gebruik van een GNU/Linux server.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Het lijkt erop dat deze %s versie draait in een 32 bits PHP omgeving en dat open_basedir is geconfigureerd in php.ini. Dat zal leiden tot problemen met bestanden groter dan 4 GB en wordt dus sterk afgeraden.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Verwijder de open_basedir instelling in php.ini of schakel over op de 64bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Het lijkt erop dat deze %s versie draait in een 32 bits PHP omgeving en dat cURL niet is geïnstalleerd. Dat zal leiden tot problemen met bestanden groter dan 4 GB en wordt dus sterk afgeraden.", "Please install the cURL extension and restart your webserver." : "Installeer de cURL extensie en herstart uw webserver.", "Personal" : "Persoonlijk", "Users" : "Gebruikers", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 2e0062668d7..9ae8ae995ac 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -133,6 +133,9 @@ "Reset password" : "Reset wachtwoord", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OSX wordt niet ondersteund en %s zal niet goed werken op dit platform. Gebruik het op uw eigen risico!", "For the best results, please consider using a GNU/Linux server instead." : "Voor het beste resultaat adviseren wij het gebruik van een GNU/Linux server.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Het lijkt erop dat deze %s versie draait in een 32 bits PHP omgeving en dat open_basedir is geconfigureerd in php.ini. Dat zal leiden tot problemen met bestanden groter dan 4 GB en wordt dus sterk afgeraden.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Verwijder de open_basedir instelling in php.ini of schakel over op de 64bit PHP.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Het lijkt erop dat deze %s versie draait in een 32 bits PHP omgeving en dat cURL niet is geïnstalleerd. Dat zal leiden tot problemen met bestanden groter dan 4 GB en wordt dus sterk afgeraden.", "Please install the cURL extension and restart your webserver." : "Installeer de cURL extensie en herstart uw webserver.", "Personal" : "Persoonlijk", "Users" : "Gebruikers", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index c6e5d739113..e6908eb5e03 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Redefinir senha", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X não é suportado e %s não funcionará corretamente nesta plataforma. Use-o por sua conta e risco!", "For the best results, please consider using a GNU/Linux server instead." : "Para obter os melhores resultados, por favor, considere o uso de um servidor GNU/Linux em seu lugar.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Aparentemente a instância %s está rodando em um ambiente PHP de 32bit e o open_basedir foi configurado no php.ini. Isto pode gerar problemas com arquivos maiores que 4GB e é altamente desencorajado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, remova a configuração de open_basedir de seu php.ini ou altere o PHP para 64bit.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Aparentemente a instância %s está rodando em um ambiente PHP de 32bit e o cURL não está instalado. Isto pode gerar problemas com arquivos maiores que 4GB e é altamente desencorajado.", "Please install the cURL extension and restart your webserver." : "Por favor, instale a extensão cURL e reinicie seu servidor web.", "Personal" : "Pessoal", "Users" : "Usuários", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index feb932fb44c..369ebd99e0c 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -133,6 +133,9 @@ "Reset password" : "Redefinir senha", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X não é suportado e %s não funcionará corretamente nesta plataforma. Use-o por sua conta e risco!", "For the best results, please consider using a GNU/Linux server instead." : "Para obter os melhores resultados, por favor, considere o uso de um servidor GNU/Linux em seu lugar.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Aparentemente a instância %s está rodando em um ambiente PHP de 32bit e o open_basedir foi configurado no php.ini. Isto pode gerar problemas com arquivos maiores que 4GB e é altamente desencorajado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, remova a configuração de open_basedir de seu php.ini ou altere o PHP para 64bit.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Aparentemente a instância %s está rodando em um ambiente PHP de 32bit e o cURL não está instalado. Isto pode gerar problemas com arquivos maiores que 4GB e é altamente desencorajado.", "Please install the cURL extension and restart your webserver." : "Por favor, instale a extensão cURL e reinicie seu servidor web.", "Personal" : "Pessoal", "Users" : "Usuários", diff --git a/core/l10n/ro.js b/core/l10n/ro.js index 652f68e8470..76e100e1315 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -5,6 +5,7 @@ OC.L10N.register( "Turned on maintenance mode" : "Modul mentenanță a fost activat", "Turned off maintenance mode" : "Modul mentenanță a fost dezactivat", "Updated database" : "Bază de date actualizată", + "Updated \"%s\" to %s" : "\"%s\" a fost actualizat până la %s", "Disabled incompatible apps: %s" : "Aplicatii incompatibile oprite: %s", "No image or file provided" : "Nu a fost furnizat vreo imagine sau fișier", "Unknown filetype" : "Tip fișier necunoscut", @@ -36,7 +37,9 @@ OC.L10N.register( "Yes" : "Da", "Choose" : "Alege", "Ok" : "Ok", - "_{count} file conflict_::_{count} file conflicts_" : ["","",""], + "Error loading message template: {error}" : "Eroare la încărcarea şablonului de mesaje: {error}", + "read-only" : "doar citire", + "_{count} file conflict_::_{count} file conflicts_" : ["Un conflict de fişiere","{count} conflicte de fişiere","{count} conflicte de fişiere"], "One file conflict" : "Un conflict de fișier", "New Files" : "Fișiere noi", "Already existing files" : "Fișiere deja existente", @@ -60,6 +63,7 @@ OC.L10N.register( "Shared with you and the group {group} by {owner}" : "Distribuie cu tine si grupul {group} de {owner}", "Shared with you by {owner}" : "Distribuie cu tine de {owner}", "Share link" : "Share link", + "Link" : "Legătură", "Password protect" : "Protejare cu parolă", "Password" : "Parolă", "Email link to person" : "Expediază legătura prin poșta electronică", @@ -101,6 +105,8 @@ OC.L10N.register( "Apps" : "Aplicații", "Admin" : "Administrator", "Help" : "Ajutor", + "Error loading tags" : "Eroare la încărcarea etichetelor", + "Tag already exists" : "Eticheta deja există", "Access forbidden" : "Acces restricționat", "The share will expire on %s." : "Partajarea va expira în data de %s.", "Security Warning" : "Avertisment de securitate", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index 604351ad263..3f124b3f2de 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -3,6 +3,7 @@ "Turned on maintenance mode" : "Modul mentenanță a fost activat", "Turned off maintenance mode" : "Modul mentenanță a fost dezactivat", "Updated database" : "Bază de date actualizată", + "Updated \"%s\" to %s" : "\"%s\" a fost actualizat până la %s", "Disabled incompatible apps: %s" : "Aplicatii incompatibile oprite: %s", "No image or file provided" : "Nu a fost furnizat vreo imagine sau fișier", "Unknown filetype" : "Tip fișier necunoscut", @@ -34,7 +35,9 @@ "Yes" : "Da", "Choose" : "Alege", "Ok" : "Ok", - "_{count} file conflict_::_{count} file conflicts_" : ["","",""], + "Error loading message template: {error}" : "Eroare la încărcarea şablonului de mesaje: {error}", + "read-only" : "doar citire", + "_{count} file conflict_::_{count} file conflicts_" : ["Un conflict de fişiere","{count} conflicte de fişiere","{count} conflicte de fişiere"], "One file conflict" : "Un conflict de fișier", "New Files" : "Fișiere noi", "Already existing files" : "Fișiere deja existente", @@ -58,6 +61,7 @@ "Shared with you and the group {group} by {owner}" : "Distribuie cu tine si grupul {group} de {owner}", "Shared with you by {owner}" : "Distribuie cu tine de {owner}", "Share link" : "Share link", + "Link" : "Legătură", "Password protect" : "Protejare cu parolă", "Password" : "Parolă", "Email link to person" : "Expediază legătura prin poșta electronică", @@ -99,6 +103,8 @@ "Apps" : "Aplicații", "Admin" : "Administrator", "Help" : "Ajutor", + "Error loading tags" : "Eroare la încărcarea etichetelor", + "Tag already exists" : "Eticheta deja există", "Access forbidden" : "Acces restricționat", "The share will expire on %s." : "Partajarea va expira în data de %s.", "Security Warning" : "Avertisment de securitate", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 7bf9fe8ebfc..f23b60b7385 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Сбросить пароль", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не поддерживается и %s может работать некорректно на данной платформе. Используйте на свой страх и риск!", "For the best results, please consider using a GNU/Linux server instead." : "Для достижения наилучших результатов, рассмотрите вариант использования сервера на GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Судя по всему, экземпляр %s работает на 32х разрядной сборке PHP и указаной в php.ini директивой open_basedir. Такая конфигурация приведет к проблемам работы с файлами размером более 4GB и крайне не рекомендуется.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Удалите директиву open_basedir из файла php.ini или смените PHP на 64х разрядную сборку.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Судя по всему, на сервере не установлен cURL и экземпляр %s работает на 32х разрядной сборке PHP. Такая конфигурация приведет к проблемам работы с файлами размером более 4GB и крайне не рекомендуется.", "Please install the cURL extension and restart your webserver." : "Установите расширение cURL и перезапустите веб-сервер.", "Personal" : "Личное", "Users" : "Пользователи", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 3f02c343a5d..f1290718c20 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -133,6 +133,9 @@ "Reset password" : "Сбросить пароль", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не поддерживается и %s может работать некорректно на данной платформе. Используйте на свой страх и риск!", "For the best results, please consider using a GNU/Linux server instead." : "Для достижения наилучших результатов, рассмотрите вариант использования сервера на GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Судя по всему, экземпляр %s работает на 32х разрядной сборке PHP и указаной в php.ini директивой open_basedir. Такая конфигурация приведет к проблемам работы с файлами размером более 4GB и крайне не рекомендуется.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Удалите директиву open_basedir из файла php.ini или смените PHP на 64х разрядную сборку.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Судя по всему, на сервере не установлен cURL и экземпляр %s работает на 32х разрядной сборке PHP. Такая конфигурация приведет к проблемам работы с файлами размером более 4GB и крайне не рекомендуется.", "Please install the cURL extension and restart your webserver." : "Установите расширение cURL и перезапустите веб-сервер.", "Personal" : "Личное", "Users" : "Пользователи", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index 9f9c9b0dbb9..aa2469a17be 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -135,6 +135,9 @@ OC.L10N.register( "Reset password" : "Parolayı sıfırla", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X desteklenmiyor ve %s bu platformda düzgün çalışmayacak. Kendi riskinizle kullanın!", "For the best results, please consider using a GNU/Linux server instead." : "En iyi sonuçlar için GNU/Linux sunucusu kullanın.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Bu %s örneğinin 32-bit PHP ortamında çalıştırıldığı ve open_basedir ayarının php.ini içerisinde yapılandırıldığı görülüyor. Bu 4GB üzerindeki dosyalarda sorun oluşturacaktır ve kullanılması önerilmez.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Lütfen php.ini içerisindeki open_basedir ayarını kaldırın veya 64-bit PHP'ye geçin.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Bu %s örneğinin 32-bit PHP ortamında çalıştırıldığı ve cURL'nin kurulu olmadığı görülüyor. Bu 4GB üzerindeki dosyalarda sorun oluşturacaktır ve kullanılması önerilmez.", "Please install the cURL extension and restart your webserver." : "Lütfen cURL eklentisini yükleyin ve web sunucusunu yeniden başlatın.", "Personal" : "Kişisel", "Users" : "Kullanıcılar", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index e53d690aeb9..f221a06303b 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -133,6 +133,9 @@ "Reset password" : "Parolayı sıfırla", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X desteklenmiyor ve %s bu platformda düzgün çalışmayacak. Kendi riskinizle kullanın!", "For the best results, please consider using a GNU/Linux server instead." : "En iyi sonuçlar için GNU/Linux sunucusu kullanın.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4GB and is highly discouraged." : "Bu %s örneğinin 32-bit PHP ortamında çalıştırıldığı ve open_basedir ayarının php.ini içerisinde yapılandırıldığı görülüyor. Bu 4GB üzerindeki dosyalarda sorun oluşturacaktır ve kullanılması önerilmez.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Lütfen php.ini içerisindeki open_basedir ayarını kaldırın veya 64-bit PHP'ye geçin.", + "It seems that this %s instance is running on a 32-bit PHP environment and cURL is not installed. This will lead to problems with files over 4GB and is highly discouraged." : "Bu %s örneğinin 32-bit PHP ortamında çalıştırıldığı ve cURL'nin kurulu olmadığı görülüyor. Bu 4GB üzerindeki dosyalarda sorun oluşturacaktır ve kullanılması önerilmez.", "Please install the cURL extension and restart your webserver." : "Lütfen cURL eklentisini yükleyin ve web sunucusunu yeniden başlatın.", "Personal" : "Kişisel", "Users" : "Kullanıcılar", diff --git a/core/l10n/yo.js b/core/l10n/yo.js new file mode 100644 index 00000000000..5b92c594ac0 --- /dev/null +++ b/core/l10n/yo.js @@ -0,0 +1,7 @@ +OC.L10N.register( + "core", + { + "_{count} file conflict_::_{count} file conflicts_" : ["",""], + "_download %n file_::_download %n files_" : ["",""] +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/yo.json b/core/l10n/yo.json new file mode 100644 index 00000000000..d2c1f43f96e --- /dev/null +++ b/core/l10n/yo.json @@ -0,0 +1,5 @@ +{ "translations": { + "_{count} file conflict_::_{count} file conflicts_" : ["",""], + "_download %n file_::_download %n files_" : ["",""] +},"pluralForm" :"nplurals=2; plural=(n != 1);" +}
\ No newline at end of file diff --git a/lib/base.php b/lib/base.php index 34fa178ebf7..dbfe0eb2f27 100644 --- a/lib/base.php +++ b/lib/base.php @@ -736,6 +736,21 @@ class OC { self::checkUpgrade(); } + // Load minimum set of apps + if (!self::checkUpgrade(false) + && !$systemConfig->getValue('maintenance', false) + && !\OCP\Util::needUpgrade()) { + // For logged-in users: Load everything + if(OC_User::isLoggedIn()) { + OC_App::loadApps(); + } else { + // For guests: Load only authentication, filesystem and logging + OC_App::loadApps(array('authentication')); + OC_App::loadApps(array('filesystem', 'logging')); + \OC_User::tryBasicAuthLogin(); + } + } + if (!self::$CLI and (!isset($_GET["logout"]) or ($_GET["logout"] !== 'true'))) { try { if (!$systemConfig->getValue('maintenance', false) && !\OCP\Util::needUpgrade()) { @@ -755,19 +770,6 @@ class OC { } } - // Load minimum set of apps - if (!self::checkUpgrade(false)) { - // For logged-in users: Load everything - if(OC_User::isLoggedIn()) { - OC_App::loadApps(); - } else { - // For guests: Load only authentication, filesystem and logging - OC_App::loadApps(array('authentication')); - OC_App::loadApps(array('filesystem', 'logging')); - \OC_User::tryBasicAuthLogin(); - } - } - // Handle redirect URL for logged in users if (isset($_REQUEST['redirect_url']) && OC_User::isLoggedIn()) { $location = OC_Helper::makeURLAbsolute(urldecode($_REQUEST['redirect_url'])); diff --git a/lib/l10n/yo.js b/lib/l10n/yo.js new file mode 100644 index 00000000000..a12702211c2 --- /dev/null +++ b/lib/l10n/yo.js @@ -0,0 +1,10 @@ +OC.L10N.register( + "lib", + { + "_%n day ago_::_%n days ago_" : ["",""], + "_%n month ago_::_%n months ago_" : ["",""], + "_%n year ago_::_%n years ago_" : ["",""], + "_%n hour ago_::_%n hours ago_" : ["",""], + "_%n minute ago_::_%n minutes ago_" : ["",""] +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/yo.json b/lib/l10n/yo.json new file mode 100644 index 00000000000..b994fa289eb --- /dev/null +++ b/lib/l10n/yo.json @@ -0,0 +1,8 @@ +{ "translations": { + "_%n day ago_::_%n days ago_" : ["",""], + "_%n month ago_::_%n months ago_" : ["",""], + "_%n year ago_::_%n years ago_" : ["",""], + "_%n hour ago_::_%n hours ago_" : ["",""], + "_%n minute ago_::_%n minutes ago_" : ["",""] +},"pluralForm" :"nplurals=2; plural=(n != 1);" +}
\ No newline at end of file diff --git a/lib/private/db/connection.php b/lib/private/db/connection.php index f2fcd8730af..53935c1e1ed 100644 --- a/lib/private/db/connection.php +++ b/lib/private/db/connection.php @@ -35,6 +35,13 @@ class Connection extends \Doctrine\DBAL\Connection implements IDBConnection { } /** + * @return string + */ + public function getPrefix() { + return $this->tablePrefix; + } + + /** * Initializes a new instance of the Connection class. * * @param array $params The connection parameters. diff --git a/lib/private/db/mdb2schemawriter.php b/lib/private/db/mdb2schemawriter.php index a42cd86ba54..1fb71ab398b 100644 --- a/lib/private/db/mdb2schemawriter.php +++ b/lib/private/db/mdb2schemawriter.php @@ -22,8 +22,13 @@ class OC_DB_MDB2SchemaWriter { $xml->addChild('overwrite', 'false'); $xml->addChild('charset', 'utf8'); - $conn->getConfiguration()-> - setFilterSchemaAssetsExpression('/^' . $config->getSystemValue('dbtableprefix', 'oc_') . '/'); + // FIX ME: bloody work around + if ($config->getSystemValue('dbtype', 'sqlite') === 'oci') { + $filterExpression = '/^"' . preg_quote($conn->getPrefix()) . '/'; + } else { + $filterExpression = '/^' . preg_quote($conn->getPrefix()) . '/'; + } + $conn->getConfiguration()->setFilterSchemaAssetsExpression($filterExpression); foreach ($conn->getSchemaManager()->listTables() as $table) { self::saveTable($table, $xml->addChild('table')); diff --git a/lib/private/db/migrator.php b/lib/private/db/migrator.php index 8ccc02e36a5..fcf5aae0258 100644 --- a/lib/private/db/migrator.php +++ b/lib/private/db/migrator.php @@ -75,9 +75,9 @@ class Migrator { * @var \Doctrine\DBAL\Schema\Table[] $tables */ $tables = $targetSchema->getTables(); - + $filterExpression = $this->getFilterExpression(); $this->connection->getConfiguration()-> - setFilterSchemaAssetsExpression('/^' . $this->config->getSystemValue('dbtableprefix', 'oc_') . '/'); + setFilterSchemaAssetsExpression($filterExpression); $existingTables = $this->connection->getSchemaManager()->listTableNames(); foreach ($tables as $table) { @@ -161,8 +161,9 @@ class Migrator { } protected function getDiff(Schema $targetSchema, \Doctrine\DBAL\Connection $connection) { - $connection->getConfiguration()-> - setFilterSchemaAssetsExpression('/^' . $this->config->getSystemValue('dbtableprefix', 'oc_') . '/'); + $filterExpression = $this->getFilterExpression(); + $this->connection->getConfiguration()-> + setFilterSchemaAssetsExpression($filterExpression); $sourceSchema = $connection->getSchemaManager()->createSchema(); // remove tables we don't know about @@ -230,4 +231,8 @@ class Migrator { $script .= PHP_EOL; return $script; } + + protected function getFilterExpression() { + return '/^' . preg_quote($this->config->getSystemValue('dbtableprefix', 'oc_')) . '/'; + } } diff --git a/lib/private/db/oraclemigrator.php b/lib/private/db/oraclemigrator.php index b80295cbd60..9ae35023838 100644 --- a/lib/private/db/oraclemigrator.php +++ b/lib/private/db/oraclemigrator.php @@ -51,4 +51,9 @@ class OracleMigrator extends NoCheckMigrator { $script .= PHP_EOL; return $script; } + + protected function getFilterExpression() { + return '/^"' . preg_quote($this->config->getSystemValue('dbtableprefix', 'oc_')) . '/'; + } + } diff --git a/lib/private/db/pgsqltools.php b/lib/private/db/pgsqltools.php index f3204d4c7b6..9336917cc5c 100644 --- a/lib/private/db/pgsqltools.php +++ b/lib/private/db/pgsqltools.php @@ -32,9 +32,9 @@ class PgSqlTools { * @return null */ public function resynchronizeDatabaseSequences(Connection $conn) { + $filterExpression = '/^' . preg_quote($this->config->getSystemValue('dbtableprefix', 'oc_')) . '/'; $databaseName = $conn->getDatabase(); - $conn->getConfiguration()-> - setFilterSchemaAssetsExpression('/^' . $this->config->getSystemValue('dbtableprefix', 'oc_') . '/'); + $conn->getConfiguration()->setFilterSchemaAssetsExpression($filterExpression); foreach ($conn->getSchemaManager()->listSequences() as $sequence) { $sequenceName = $sequence->getName(); diff --git a/lib/private/files/cache/scanner.php b/lib/private/files/cache/scanner.php index d24b7459851..4778a6803ba 100644 --- a/lib/private/files/cache/scanner.php +++ b/lib/private/files/cache/scanner.php @@ -148,13 +148,6 @@ class Scanner extends BasicEmitter { } // Only update metadata that has changed $newData = array_diff_assoc($data, $cacheData); - if (isset($newData['etag'])) { - $cacheDataString = print_r($cacheData, true); - $dataString = print_r($data, true); - \OCP\Util::writeLog('OC\Files\Cache\Scanner', - "!!! No reuse of etag for '$file' !!! \ncache: $cacheDataString \ndata: $dataString", - \OCP\Util::DEBUG); - } } else { $newData = $data; } diff --git a/lib/private/files/filesystem.php b/lib/private/files/filesystem.php index 100b364ca06..f90b2738d03 100644 --- a/lib/private/files/filesystem.php +++ b/lib/private/files/filesystem.php @@ -715,7 +715,7 @@ class Filesystem { * @return string */ public static function normalizePath($path, $stripTrailingSlash = true, $isAbsolutePath = false) { - $cacheKey = $path.'-'.-$stripTrailingSlash.'-'.$isAbsolutePath; + $cacheKey = json_encode([$path, $stripTrailingSlash, $isAbsolutePath]); if(isset(self::$normalizedPathCache[$cacheKey])) { return self::$normalizedPathCache[$cacheKey]; diff --git a/lib/private/files/node/folder.php b/lib/private/files/node/folder.php index bdfb2346716..5fd73cc5d36 100644 --- a/lib/private/files/node/folder.php +++ b/lib/private/files/node/folder.php @@ -259,6 +259,7 @@ class Folder extends Node implements \OCP\Files\Folder { * @var \OC\Files\Storage\Storage $storage */ list($storage, $internalPath) = $this->view->resolvePath($this->path); + $internalPath = rtrim($internalPath, '/') . '/'; $internalRootLength = strlen($internalPath); $cache = $storage->getCache(''); diff --git a/lib/private/files/view.php b/lib/private/files/view.php index 034c49a9059..57441c8e680 100644 --- a/lib/private/files/view.php +++ b/lib/private/files/view.php @@ -212,6 +212,10 @@ class View { } } + /** + * @param string $path + * @return bool|mixed + */ public function rmdir($path) { $absolutePath = $this->getAbsolutePath($path); $mount = Filesystem::getMountManager()->find($absolutePath); @@ -435,11 +439,17 @@ class View { /** * @param string $directory + * @return bool|mixed */ - public function deleteAll($directory, $empty = false) { + public function deleteAll($directory) { return $this->rmdir($directory); } + /** + * @param string $path1 + * @param string $path2 + * @return bool|mixed + */ public function rename($path1, $path2) { $postFix1 = (substr($path1, -1, 1) === '/') ? '/' : ''; $postFix2 = (substr($path2, -1, 1) === '/') ? '/' : ''; diff --git a/lib/private/repair.php b/lib/private/repair.php index be607b44ed8..c4f057b53ae 100644 --- a/lib/private/repair.php +++ b/lib/private/repair.php @@ -12,6 +12,7 @@ use OC\Hooks\BasicEmitter; use OC\Hooks\Emitter; use OC\Repair\AssetCache; use OC\Repair\Collation; +use OC\Repair\FillETags; use OC\Repair\InnoDB; use OC\Repair\RepairConfig; use OC\Repair\RepairLegacyStorages; @@ -79,7 +80,8 @@ class Repair extends BasicEmitter { new RepairMimeTypes(), new RepairLegacyStorages(\OC::$server->getConfig(), \OC_DB::getConnection()), new RepairConfig(), - new AssetCache() + new AssetCache(), + new FillETags(\OC_DB::getConnection()) ); } diff --git a/lib/private/util.php b/lib/private/util.php index ec3640503e4..d2d286fc11e 100644 --- a/lib/private/util.php +++ b/lib/private/util.php @@ -692,9 +692,9 @@ class OC_Util { $encryptedFiles = false; if (OC_App::isEnabled('files_encryption') === false) { $view = new OC\Files\View('/' . OCP\User::getUser()); - $keyfilePath = '/files_encryption/keyfiles'; - if ($view->is_dir($keyfilePath)) { - $dircontent = $view->getDirectoryContent($keyfilePath); + $keysPath = '/files_encryption/keys'; + if ($view->is_dir($keysPath)) { + $dircontent = $view->getDirectoryContent($keysPath); if (!empty($dircontent)) { $encryptedFiles = true; } @@ -714,7 +714,7 @@ class OC_Util { $backupExists = false; if (OC_App::isEnabled('files_encryption') === false) { $view = new OC\Files\View('/' . OCP\User::getUser()); - $backupPath = '/files_encryption/keyfiles.backup'; + $backupPath = '/files_encryption/backup.decryptAll'; if ($view->is_dir($backupPath)) { $dircontent = $view->getDirectoryContent($backupPath); if (!empty($dircontent)) { diff --git a/lib/repair/filletags.php b/lib/repair/filletags.php new file mode 100644 index 00000000000..b94ae385f05 --- /dev/null +++ b/lib/repair/filletags.php @@ -0,0 +1,41 @@ +<?php +/** + * Copyright (c) 2015 Thomas Müller <deepdiver@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Repair; + +use Doctrine\DBAL\Query\QueryBuilder; +use OC\Hooks\BasicEmitter; + +class FillETags extends BasicEmitter implements \OC\RepairStep { + + /** @var \OC\DB\Connection */ + protected $connection; + + /** + * @param \OC\DB\Connection $connection + */ + public function __construct($connection) { + $this->connection = $connection; + } + + public function getName() { + return 'Generate ETags for file where no ETag is present.'; + } + + public function run() { + $qb = $this->connection->createQueryBuilder(); + $qb->update('`*PREFIX*filecache`') + ->set('`etag`', $qb->expr()->literal('xxx')) + ->where($qb->expr()->eq('`etag`', $qb->expr()->literal(''))) + ->orWhere($qb->expr()->isNull('`etag`')); + + $result = $qb->execute(); + $this->emit('\OC\Repair', 'info', array("ETags have been fixed for $result files/folders.")); + } +} + diff --git a/search/js/search.js b/search/js/search.js index 318858ebd71..57de07bf7fd 100644 --- a/search/js/search.js +++ b/search/js/search.js @@ -155,7 +155,8 @@ } var $status = $searchResults.find('#status'); - const summaryAndStatusHeight = 118; + // summaryAndStatusHeight is a constant + var summaryAndStatusHeight = 118; function isStatusOffScreen() { return $searchResults.position() && ($searchResults.position().top + summaryAndStatusHeight > window.innerHeight); diff --git a/settings/ajax/deletekeys.php b/settings/ajax/deletekeys.php index 86a45820af9..7d6c9a27aa0 100644 --- a/settings/ajax/deletekeys.php +++ b/settings/ajax/deletekeys.php @@ -4,13 +4,11 @@ OCP\JSON::checkLoggedIn(); OCP\JSON::callCheck(); $l = \OC::$server->getL10N('settings'); -$user = \OC_User::getUser(); -$view = new \OC\Files\View('/' . $user . '/files_encryption'); -$keyfilesDeleted = $view->deleteAll('keyfiles.backup'); -$sharekeysDeleted = $view->deleteAll('share-keys.backup'); +$util = new \OCA\Files_Encryption\Util(new \OC\Files\View(), \OC_User::getUser()); +$result = $util->deleteBackup('decryptAll'); -if ($keyfilesDeleted && $sharekeysDeleted) { +if ($result) { \OCP\JSON::success(array('data' => array('message' => $l->t('Encryption keys deleted permanently')))); } else { \OCP\JSON::error(array('data' => array('message' => $l->t('Couldn\'t permanently delete your encryption keys, please check your owncloud.log or ask your administrator')))); diff --git a/settings/ajax/restorekeys.php b/settings/ajax/restorekeys.php index 5c263fadab4..b89a8286db2 100644 --- a/settings/ajax/restorekeys.php +++ b/settings/ajax/restorekeys.php @@ -4,21 +4,12 @@ OCP\JSON::checkLoggedIn(); OCP\JSON::callCheck(); $l = \OC::$server->getL10N('settings'); -$user = \OC_User::getUser(); -$view = new \OC\Files\View('/' . $user . '/files_encryption'); -$keyfilesRestored = $view->rename('keyfiles.backup', 'keyfiles'); -$sharekeysRestored = $view->rename('share-keys.backup' , 'share-keys'); +$util = new \OCA\Files_Encryption\Util(new \OC\Files\View(), \OC_User::getUser()); +$result = $util->restoreBackup('decryptAll'); -if ($keyfilesRestored && $sharekeysRestored) { +if ($result) { \OCP\JSON::success(array('data' => array('message' => $l->t('Backups restored successfully')))); } else { - // if one of the move operation was succesful we remove the files back to have a consistent state - if($keyfilesRestored) { - $view->rename('keyfiles', 'keyfiles.backup'); - } - if($sharekeysRestored) { - $view->rename('share-keys' , 'share-keys.backup'); - } \OCP\JSON::error(array('data' => array('message' => $l->t('Couldn\'t restore your encryption keys, please check your owncloud.log or ask your administrator')))); } diff --git a/settings/l10n/es.js b/settings/l10n/es.js index 3aec716efff..1b16da058ab 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -36,6 +36,7 @@ OC.L10N.register( "Group already exists." : "El grupo ya existe.", "Unable to add group." : "No se pudo agregar el grupo.", "Unable to delete group." : "No se pudo eliminar el grupo.", + "log-level out of allowed range" : "Nivel de autenticación fuera del rango permitido", "Saved" : "Guardado", "test email settings" : "probar configuración de correo electrónico", "If you received this email, the settings seem to be correct." : "Si recibió este mensaje de correo electrónico, su configuración debe estar correcta.", @@ -180,13 +181,13 @@ OC.L10N.register( "Documentation:" : "Documentación:", "User Documentation" : "Documentación de usuario", "Admin Documentation" : "Documentación para administradores", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicación no puede ser instalada porque las siguientes dependencias no se han cumplido:", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicación no puede instalarse porque las siguientes dependencias no están cumplimentadas:", "Update to %s" : "Actualizar a %s", "Enable only for specific groups" : "Activar solamente para grupos específicos", "Uninstall App" : "Desinstalar aplicación", "Hey there,<br><br>just letting you know that you now have an %s account.<br><br>Your username: %s<br>Access it: <a href=\"%s\">%s</a><br><br>" : "¿Qué tal?,<br><br>este mensaje es para hacerle saber que ahora tiene una %s cuenta.<br><br>Su nombre de usuario: %s<br>Acceda en: <a href=\"%s\">%s</a><br><br>", "Cheers!" : "¡Saludos!", - "Hey there,\n\njust letting you know that you now have an %s account.\n\nYour username: %s\nAccess it: %s\n\n" : "Hola, ¿qué tal?,\n\nEste mensaje es para hacerte saber que ahora tienes una cuenta %s.\n\nTu nombre de usuario: %s\nAccede en: %s\n\n", + "Hey there,\n\njust letting you know that you now have an %s account.\n\nYour username: %s\nAccess it: %s\n\n" : "Hola, ¿qué tal?,\n\nEste mensaje es para hacerle saber que ahora tiene una cuenta %s.\n\nSu nombre de usuario: %s\nAcceda en: %s\n\n", "Administrator Documentation" : "Documentación de administrador", "Online Documentation" : "Documentación en línea", "Forum" : "Foro", @@ -194,7 +195,7 @@ OC.L10N.register( "Commercial Support" : "Soporte comercial", "Get the apps to sync your files" : "Obtener las aplicaciones para sincronizar sus archivos", "Desktop client" : "Cliente de escritorio", - "Android app" : "La aplicación de Android", + "Android app" : "Aplicación de Android", "iOS app" : "La aplicación de iOS", "If you want to support the project\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\">join development</a>\n\t\tor\n\t\t<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\">spread the word</a>!" : "Si desea contribuir al proyecto\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\">únase al desarrollo</a>\n\t\to\n\t\t¡<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\">corra la voz</a>!", "Show First Run Wizard again" : "Mostrar nuevamente el Asistente de ejecución inicial", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index 7bbebbbe13c..f12827ee405 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -34,6 +34,7 @@ "Group already exists." : "El grupo ya existe.", "Unable to add group." : "No se pudo agregar el grupo.", "Unable to delete group." : "No se pudo eliminar el grupo.", + "log-level out of allowed range" : "Nivel de autenticación fuera del rango permitido", "Saved" : "Guardado", "test email settings" : "probar configuración de correo electrónico", "If you received this email, the settings seem to be correct." : "Si recibió este mensaje de correo electrónico, su configuración debe estar correcta.", @@ -178,13 +179,13 @@ "Documentation:" : "Documentación:", "User Documentation" : "Documentación de usuario", "Admin Documentation" : "Documentación para administradores", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicación no puede ser instalada porque las siguientes dependencias no se han cumplido:", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicación no puede instalarse porque las siguientes dependencias no están cumplimentadas:", "Update to %s" : "Actualizar a %s", "Enable only for specific groups" : "Activar solamente para grupos específicos", "Uninstall App" : "Desinstalar aplicación", "Hey there,<br><br>just letting you know that you now have an %s account.<br><br>Your username: %s<br>Access it: <a href=\"%s\">%s</a><br><br>" : "¿Qué tal?,<br><br>este mensaje es para hacerle saber que ahora tiene una %s cuenta.<br><br>Su nombre de usuario: %s<br>Acceda en: <a href=\"%s\">%s</a><br><br>", "Cheers!" : "¡Saludos!", - "Hey there,\n\njust letting you know that you now have an %s account.\n\nYour username: %s\nAccess it: %s\n\n" : "Hola, ¿qué tal?,\n\nEste mensaje es para hacerte saber que ahora tienes una cuenta %s.\n\nTu nombre de usuario: %s\nAccede en: %s\n\n", + "Hey there,\n\njust letting you know that you now have an %s account.\n\nYour username: %s\nAccess it: %s\n\n" : "Hola, ¿qué tal?,\n\nEste mensaje es para hacerle saber que ahora tiene una cuenta %s.\n\nSu nombre de usuario: %s\nAcceda en: %s\n\n", "Administrator Documentation" : "Documentación de administrador", "Online Documentation" : "Documentación en línea", "Forum" : "Foro", @@ -192,7 +193,7 @@ "Commercial Support" : "Soporte comercial", "Get the apps to sync your files" : "Obtener las aplicaciones para sincronizar sus archivos", "Desktop client" : "Cliente de escritorio", - "Android app" : "La aplicación de Android", + "Android app" : "Aplicación de Android", "iOS app" : "La aplicación de iOS", "If you want to support the project\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\">join development</a>\n\t\tor\n\t\t<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\">spread the word</a>!" : "Si desea contribuir al proyecto\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\">únase al desarrollo</a>\n\t\to\n\t\t¡<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\">corra la voz</a>!", "Show First Run Wizard again" : "Mostrar nuevamente el Asistente de ejecución inicial", diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index e162e5600b3..df721c5fb79 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -10,16 +10,16 @@ OC.L10N.register( "Authentication error" : "Erreur d'authentification", "Your full name has been changed." : "Votre nom complet a été modifié.", "Unable to change full name" : "Impossible de changer le nom complet", - "Files decrypted successfully" : "Fichiers décryptés avec succès", - "Couldn't decrypt your files, please check your owncloud.log or ask your administrator" : "Impossible de décrypter vos fichiers, veuillez vérifier votre owncloud.log ou demander à votre administrateur", - "Couldn't decrypt your files, check your password and try again" : "Impossible de décrypter vos fichiers, vérifiez votre mot de passe et essayez à nouveau", + "Files decrypted successfully" : "Fichiers déchiffrés avec succès", + "Couldn't decrypt your files, please check your owncloud.log or ask your administrator" : "Impossible de déchiffrer vos fichiers. Veuillez vérifier votre owncloud.log ou demander à votre administrateur", + "Couldn't decrypt your files, check your password and try again" : "Impossible de déchiffrer vos fichiers. Vérifiez votre mot de passe et essayez à nouveau", "Encryption keys deleted permanently" : "Clés de chiffrement définitivement supprimées.", - "Couldn't permanently delete your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de supprimer définitivement vos clés de chiffrement, merci de regarder journal owncloud.log ou de demander à votre administrateur", + "Couldn't permanently delete your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de supprimer définitivement vos clés de chiffrement. Merci de consulter le fichier owncloud.log ou de demander à votre administrateur", "Couldn't remove app." : "Impossible de supprimer l'application.", - "Backups restored successfully" : "La sauvegarde a été restaurée avec succès", - "Couldn't restore your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de restaurer vos clés de chiffrement, merci de regarder journal owncloud.log ou de demander à votre administrateur", + "Backups restored successfully" : "Sauvegardes restaurées avec succès", + "Couldn't restore your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de restaurer vos clés de chiffrement. Merci de consulter le fichier owncloud.log ou de demander à votre administrateur", "Language changed" : "Langue changée", - "Invalid request" : "Requête invalide", + "Invalid request" : "Requête non valide", "Admins can't remove themself from the admin group" : "Les administrateurs ne peuvent pas se retirer eux-mêmes du groupe admin", "Unable to add user to group %s" : "Impossible d'ajouter l'utilisateur au groupe %s", "Unable to remove user from group %s" : "Impossible de supprimer l'utilisateur du groupe %s", @@ -36,6 +36,7 @@ OC.L10N.register( "Group already exists." : "Ce groupe existe déjà.", "Unable to add group." : "Impossible d'ajouter le groupe.", "Unable to delete group." : "Impossible de supprimer le groupe.", + "log-level out of allowed range" : "niveau de journalisation hors borne", "Saved" : "Sauvegardé", "test email settings" : "tester les paramètres d'e-mail", "If you received this email, the settings seem to be correct." : "Si vous recevez cet email, c'est que les paramètres sont corrects", @@ -123,6 +124,7 @@ OC.L10N.register( "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Nous vous recommandons d'installer sur votre système les paquets requis à la prise en charge de l'un des paramètres régionaux suivants : %s", "URL generation in notification emails" : "Génération d'URL dans les mails de notification", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si votre installation n'a pas été effectuée à la racine du domaine et qu'elle utilise le cron du système, il peut y avoir des problèmes avec la génération d'URL. Pour les éviter, veuillez configurer l'option \"overwrite.cli.url\" de votre fichier config.php avec le chemin de la racine de votre installation (suggéré : \"%s\")", "Configuration Checks" : "Vérification de la configuration", "No problems found" : "Aucun problème trouvé", "Please double check the <a href='%s'>installation guides</a>." : "Veuillez vous référer au <a href='%s'>guide d'installation</a>.", @@ -166,8 +168,10 @@ OC.L10N.register( "Test email settings" : "Tester les paramètres e-mail", "Send email" : "Envoyer un e-mail", "Log level" : "Niveau de log", + "Download logfile" : "Télécharger le fichier de journalisation", "More" : "Plus", "Less" : "Moins", + "The logfile is bigger than 100MB. Downloading it may take some time!" : "Le fichier de journalisation dépasse les 100Mo. Son téléchargement pourra prendre du temps !", "Version" : "Version", "Developed by the <a href=\"http://ownCloud.org/contact\" target=\"_blank\">ownCloud community</a>, the <a href=\"https://github.com/owncloud\" target=\"_blank\">source code</a> is licensed under the <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>." : "Développé par la <a href=\"http://ownCloud.org/contact\" target=\"_blank\">communauté ownCloud</a>, le <a href=\"https://github.com/owncloud\" target=\"_blank\">code source</a> est publié sous license <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>.", "More apps" : "Plus d'applications", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index 44c54937989..319844e786c 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -8,16 +8,16 @@ "Authentication error" : "Erreur d'authentification", "Your full name has been changed." : "Votre nom complet a été modifié.", "Unable to change full name" : "Impossible de changer le nom complet", - "Files decrypted successfully" : "Fichiers décryptés avec succès", - "Couldn't decrypt your files, please check your owncloud.log or ask your administrator" : "Impossible de décrypter vos fichiers, veuillez vérifier votre owncloud.log ou demander à votre administrateur", - "Couldn't decrypt your files, check your password and try again" : "Impossible de décrypter vos fichiers, vérifiez votre mot de passe et essayez à nouveau", + "Files decrypted successfully" : "Fichiers déchiffrés avec succès", + "Couldn't decrypt your files, please check your owncloud.log or ask your administrator" : "Impossible de déchiffrer vos fichiers. Veuillez vérifier votre owncloud.log ou demander à votre administrateur", + "Couldn't decrypt your files, check your password and try again" : "Impossible de déchiffrer vos fichiers. Vérifiez votre mot de passe et essayez à nouveau", "Encryption keys deleted permanently" : "Clés de chiffrement définitivement supprimées.", - "Couldn't permanently delete your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de supprimer définitivement vos clés de chiffrement, merci de regarder journal owncloud.log ou de demander à votre administrateur", + "Couldn't permanently delete your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de supprimer définitivement vos clés de chiffrement. Merci de consulter le fichier owncloud.log ou de demander à votre administrateur", "Couldn't remove app." : "Impossible de supprimer l'application.", - "Backups restored successfully" : "La sauvegarde a été restaurée avec succès", - "Couldn't restore your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de restaurer vos clés de chiffrement, merci de regarder journal owncloud.log ou de demander à votre administrateur", + "Backups restored successfully" : "Sauvegardes restaurées avec succès", + "Couldn't restore your encryption keys, please check your owncloud.log or ask your administrator" : "Impossible de restaurer vos clés de chiffrement. Merci de consulter le fichier owncloud.log ou de demander à votre administrateur", "Language changed" : "Langue changée", - "Invalid request" : "Requête invalide", + "Invalid request" : "Requête non valide", "Admins can't remove themself from the admin group" : "Les administrateurs ne peuvent pas se retirer eux-mêmes du groupe admin", "Unable to add user to group %s" : "Impossible d'ajouter l'utilisateur au groupe %s", "Unable to remove user from group %s" : "Impossible de supprimer l'utilisateur du groupe %s", @@ -34,6 +34,7 @@ "Group already exists." : "Ce groupe existe déjà.", "Unable to add group." : "Impossible d'ajouter le groupe.", "Unable to delete group." : "Impossible de supprimer le groupe.", + "log-level out of allowed range" : "niveau de journalisation hors borne", "Saved" : "Sauvegardé", "test email settings" : "tester les paramètres d'e-mail", "If you received this email, the settings seem to be correct." : "Si vous recevez cet email, c'est que les paramètres sont corrects", @@ -121,6 +122,7 @@ "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Nous vous recommandons d'installer sur votre système les paquets requis à la prise en charge de l'un des paramètres régionaux suivants : %s", "URL generation in notification emails" : "Génération d'URL dans les mails de notification", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si votre installation n'a pas été effectuée à la racine du domaine et qu'elle utilise le cron du système, il peut y avoir des problèmes avec la génération d'URL. Pour les éviter, veuillez configurer l'option \"overwrite.cli.url\" de votre fichier config.php avec le chemin de la racine de votre installation (suggéré : \"%s\")", "Configuration Checks" : "Vérification de la configuration", "No problems found" : "Aucun problème trouvé", "Please double check the <a href='%s'>installation guides</a>." : "Veuillez vous référer au <a href='%s'>guide d'installation</a>.", @@ -164,8 +166,10 @@ "Test email settings" : "Tester les paramètres e-mail", "Send email" : "Envoyer un e-mail", "Log level" : "Niveau de log", + "Download logfile" : "Télécharger le fichier de journalisation", "More" : "Plus", "Less" : "Moins", + "The logfile is bigger than 100MB. Downloading it may take some time!" : "Le fichier de journalisation dépasse les 100Mo. Son téléchargement pourra prendre du temps !", "Version" : "Version", "Developed by the <a href=\"http://ownCloud.org/contact\" target=\"_blank\">ownCloud community</a>, the <a href=\"https://github.com/owncloud\" target=\"_blank\">source code</a> is licensed under the <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>." : "Développé par la <a href=\"http://ownCloud.org/contact\" target=\"_blank\">communauté ownCloud</a>, le <a href=\"https://github.com/owncloud\" target=\"_blank\">code source</a> est publié sous license <a href=\"http://www.gnu.org/licenses/agpl-3.0.html\" target=\"_blank\"><abbr title=\"Affero General Public License\">AGPL</abbr></a>.", "More apps" : "Plus d'applications", diff --git a/tests/lib/files/node/folder.php b/tests/lib/files/node/folder.php index bcd9cc93b5e..54b26ebdfe1 100644 --- a/tests/lib/files/node/folder.php +++ b/tests/lib/files/node/folder.php @@ -405,6 +405,45 @@ class Folder extends \Test\TestCase { $this->assertEquals('/bar/foo/qwerty', $result[0]->getPath()); } + public function testSearchInRoot() { + $manager = $this->getMock('\OC\Files\Mount\Manager'); + /** + * @var \OC\Files\View | \PHPUnit_Framework_MockObject_MockObject $view + */ + $view = $this->getMock('\OC\Files\View'); + $root = $this->getMock('\OC\Files\Node\Root', array('getUser', 'getMountsIn'), array($manager, $view, $this->user)); + $root->expects($this->any()) + ->method('getUser') + ->will($this->returnValue($this->user)); + $storage = $this->getMock('\OC\Files\Storage\Storage'); + $cache = $this->getMock('\OC\Files\Cache\Cache', array(), array('')); + + $storage->expects($this->once()) + ->method('getCache') + ->will($this->returnValue($cache)); + + $cache->expects($this->once()) + ->method('search') + ->with('%qw%') + ->will($this->returnValue(array( + array('fileid' => 3, 'path' => 'files/foo', 'name' => 'qwerty', 'size' => 200, 'mtime' => 55, 'mimetype' => 'text/plain'), + array('fileid' => 3, 'path' => 'files_trashbin/foo2.d12345', 'name' => 'foo2.d12345', 'size' => 200, 'mtime' => 55, 'mimetype' => 'text/plain'), + ))); + + $root->expects($this->once()) + ->method('getMountsIn') + ->with('') + ->will($this->returnValue(array())); + + $view->expects($this->once()) + ->method('resolvePath') + ->will($this->returnValue(array($storage, 'files'))); + + $result = $root->search('qw'); + $this->assertEquals(1, count($result)); + $this->assertEquals('/foo', $result[0]->getPath()); + } + public function testSearchByTag() { $manager = $this->getMock('\OC\Files\Mount\Manager'); /** |