├── .gitignore ├── .nextcloudignore ├── .scrutinizer.yml ├── .travis.yml ├── .tx └── config ├── CHANGELOG.md ├── LICENSE ├── Makefile ├── README.md ├── appinfo ├── info.xml └── routes.php ├── css └── apporder.css ├── js └── apporder.js ├── krankerl.toml ├── l10n ├── ar.js ├── ar.json ├── ast.js ├── ast.json ├── bg.js ├── bg.json ├── ca.js ├── ca.json ├── cs.js ├── cs.json ├── da.js ├── da.json ├── de.js ├── de.json ├── de_DE.js ├── de_DE.json ├── el.js ├── el.json ├── en_GB.js ├── en_GB.json ├── eo.js ├── eo.json ├── es.js ├── es.json ├── es_419.js ├── es_419.json ├── es_AR.js ├── es_AR.json ├── es_CL.js ├── es_CL.json ├── es_CO.js ├── es_CO.json ├── es_CR.js ├── es_CR.json ├── es_DO.js ├── es_DO.json ├── es_EC.js ├── es_EC.json ├── es_GT.js ├── es_GT.json ├── es_HN.js ├── es_HN.json ├── es_MX.js ├── es_MX.json ├── es_NI.js ├── es_NI.json ├── es_PA.js ├── es_PA.json ├── es_PE.js ├── es_PE.json ├── es_PR.js ├── es_PR.json ├── es_PY.js ├── es_PY.json ├── es_SV.js ├── es_SV.json ├── es_UY.js ├── es_UY.json ├── et_EE.js ├── et_EE.json ├── eu.js ├── eu.json ├── fa.js ├── fa.json ├── fi.js ├── fi.json ├── fr.js ├── fr.json ├── gl.js ├── gl.json ├── he.js ├── he.json ├── hr.js ├── hr.json ├── hu.js ├── hu.json ├── id.js ├── id.json ├── is.js ├── is.json ├── it.js ├── it.json ├── ja.js ├── ja.json ├── ka_GE.js ├── ka_GE.json ├── ko.js ├── ko.json ├── lo.js ├── lo.json ├── lt_LT.js ├── lt_LT.json ├── lv.js ├── lv.json ├── nb.js ├── nb.json ├── nl.js ├── nl.json ├── nn_NO.js ├── nn_NO.json ├── pl.js ├── pl.json ├── pt_BR.js ├── pt_BR.json ├── pt_PT.js ├── pt_PT.json ├── ro.js ├── ro.json ├── ru.js ├── ru.json ├── sc.js ├── sc.json ├── sk.js ├── sk.json ├── sl.js ├── sl.json ├── sr.js ├── sr.json ├── sv.js ├── sv.json ├── tr.js ├── tr.json ├── uk.js ├── uk.json ├── vi.js ├── vi.json ├── zh_CN.js ├── zh_CN.json ├── zh_HK.js ├── zh_HK.json ├── zh_TW.js └── zh_TW.json ├── lib ├── AppInfo │ └── Application.php ├── Controller │ ├── AppController.php │ └── SettingsController.php ├── Listener │ └── BeforeTemplateRenderedListener.php ├── Service │ └── ConfigService.php ├── Settings │ ├── AdminSettings.php │ ├── PersonalSettings.php │ └── Section.php └── Util.php ├── phpunit.integration.xml ├── phpunit.xml ├── templates └── admin.php └── tests ├── Integration └── AppTest.php ├── bootstrap.php └── unit ├── UtilTest.php ├── controller ├── AppControllerTest.php └── SettingsControllerTest.php └── service └── ConfigServiceTest.php /.gitignore: -------------------------------------------------------------------------------- 1 | build/ 2 | -------------------------------------------------------------------------------- /.nextcloudignore: -------------------------------------------------------------------------------- 1 | /.git 2 | /composer.json 3 | /composer.lock 4 | /krankerl.toml 5 | /node_modules 6 | /tests 7 | -------------------------------------------------------------------------------- /.scrutinizer.yml: -------------------------------------------------------------------------------- 1 | filter: 2 | excluded_paths: 3 | - 'templates/*' 4 | - 'css/*' 5 | - 'tests/*' 6 | imports: 7 | - php 8 | - javascript 9 | 10 | tools: 11 | external_code_coverage: 12 | timeout: 3600 13 | 14 | checks: 15 | php: 16 | # this is not working properly with core exceptions 17 | catch_class_exists: false 18 | line_length: 19 | max_length: '80' 20 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | sudo: false 2 | language: php 3 | php: 4 | - 7.2 5 | env: 6 | global: 7 | - DB=sqlite 8 | matrix: 9 | - CORE_BRANCH=stable19 REPO=nextcloud/server 10 | 11 | matrix: 12 | fast_finish: true 13 | 14 | before_install: 15 | - wget https://phar.phpunit.de/phpunit-5.7.phar 16 | - chmod +x phpunit-5.7.phar 17 | - mkdir bin 18 | - mv phpunit-5.7.phar bin/phpunit 19 | - phpunit --version 20 | - cd ../ 21 | - git clone https://github.com/$REPO.git --recursive --depth 1 -b $CORE_BRANCH mainrepo 22 | - mv apporder mainrepo/apps/ 23 | 24 | before_script: 25 | # fill owncloud with default configs and enable apporder 26 | - cd mainrepo 27 | - mkdir data 28 | - ./occ maintenance:install --database-name oc_autotest --database-user oc_autotest --admin-user admin --admin-pass admin --database $DB --database-pass='' 29 | - ./occ app:enable apporder 30 | - ./occ app:check-code apporder 31 | - php -S localhost:8080 & 32 | - cd apps/apporder 33 | - export PATH="$PWD/bin:$PATH" 34 | 35 | 36 | script: 37 | - make test 38 | 39 | after_failure: 40 | - cat ../../data/owncloud.log 41 | 42 | after_success: 43 | - wget https://scrutinizer-ci.com/ocular.phar 44 | - php ocular.phar code-coverage:upload --format=php-clover build/php-unit.clover 45 | -------------------------------------------------------------------------------- /.tx/config: -------------------------------------------------------------------------------- 1 | [main] 2 | host = https://www.transifex.com 3 | lang_map = fi_FI: fi, hu_HU: hu, nb_NO: nb, sk_SK: sk, th_TH: th, ja_JP: ja, bg_BG: bg, cs_CZ: cs 4 | 5 | [o:nextcloud:p:nextcloud:r:apporder] 6 | file_filter = translationfiles//apporder.po 7 | source_file = translationfiles/templates/apporder.pot 8 | source_lang = en 9 | type = PO 10 | 11 | -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | # Changelog 2 | All notable changes to this project will be documented in this file. 3 | 4 | The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), 5 | and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). 6 | ## [0.15.0] - 2022-04-04 7 | 8 | ### Added 9 | 10 | - Support for Nextcloud 24 11 | 12 | ## [0.14.0] - 2021-12-29 13 | 14 | ### Added 15 | 16 | - Support for Nextcloud 23 17 | 18 | ## [0.13.0] - 2021-06-25 19 | 20 | ### Added 21 | 22 | - Support for Nextcloud 22 23 | - Drop support older Nextcloud versions than 20 24 | 25 | ## [0.12.0] - 2021-03-03 26 | 27 | ### Added 28 | 29 | - Support for Nextcloud 21 30 | 31 | ## [0.11.0] - 2020-09-03 32 | 33 | ### Added 34 | 35 | - Support for Nextcloud 20 36 | 37 | ## [0.10.0] - 2020-05-22 38 | 39 | ### Added 40 | 41 | - Support for Nextcloud 19 42 | - Added functionality to force an admin-defined order 43 | 44 | ### Fixed 45 | 46 | - Fix for app sorting in dark mode 47 | 48 | ## [0.9.0] - 2019-12-22 49 | ### Added 50 | - Support for Nextcloud 18 51 | 52 | ## [0.8.0] - 2019-08-20 53 | ### Added 54 | - Support for Nextcloud 17 55 | 56 | ## [0.7.1] - 2019-04-27 57 | ### Fixed 58 | - Scanning of outdated files 59 | 60 | ## [0.7.0] - 2019-04-11 61 | ### Changed 62 | - Add support for Nextcloud 16 63 | 64 | ## [0.6.0] - 2018-11-24 65 | 66 | ## [0.5.0] - 2018-08-03 67 | 68 | ## [0.4.1] - 2017-12-05 69 | ### Fixed 70 | - Fix bug in IE11 71 | 72 | ## [0.4.0] - 2017-08-04 73 | ### Changed 74 | - Move order changing to the personal/admin settings 75 | - Make it possible to hide apps per user/as admin 76 | - Add support for new Nextcloud menu 77 | 78 | ## [0.3.3] - 2016-10-12 79 | 80 | ## [0.3.2] - 2016-09-06 81 | 82 | ## [0.3.1] - 2016-09-05 83 | 84 | ## [0.3.0] - 2016-09-04 85 | ### Changed 86 | - Drop support for Nextcloud 9 / OwnCloud 9.0 87 | 88 | ### Added 89 | - Set default landing page per user (See README.md for details) 90 | 91 | ## [0.2.0] - 2016-09-04 92 | 93 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # AppOrder 2 | 3 | [![Build Status](https://travis-ci.org/juliushaertl/apporder.svg?branch=master)](https://travis-ci.org/juliushaertl/apporder) 4 | [![Scrutinizer Code Quality](https://scrutinizer-ci.com/g/juliushaertl/apporder/badges/quality-score.png?b=master)](https://scrutinizer-ci.com/g/juliushaertl/apporder/?branch=master) 5 | [![Code Coverage](https://scrutinizer-ci.com/g/juliushaertl/apporder/badges/coverage.png?b=master)](https://scrutinizer-ci.com/g/juliushaertl/apporder/?branch=master) 6 | 7 | > **Warning** 8 | > 9 | > Due to server changes this app will no longer be compatible with Nextcloud 25 and is considered unmaintained from now on. 10 | > For introducing the functionality upstream please follow https://github.com/nextcloud/server/issues/4917 11 | 12 | Enable sorting the app icons from the personal settings. The order will be 13 | saved for each user individually. Administrators can define a custom default 14 | order. 15 | 16 | ## Set a default order for all new users 17 | 18 | Go to the Settings > Administration > Additional settings and drag the icons under App order. 19 | 20 | ## Use first app as default app 21 | 22 | You can easily let Nextcloud redirect your user to the first app in their 23 | personal order by changing the following parameter in your config/config.php: 24 | 25 | 'defaultapp' => 'apporder', 26 | 27 | Users will now get redirected to the first app of the default order or to the 28 | first app of the user order. 29 | 30 | # Installation 31 | 32 | ## From git 33 | 34 | 1. Clone the app into your apps/ directory: `git clone https://github.com/juliushaertl/apporder.git` 35 | 2. Enable it 36 | -------------------------------------------------------------------------------- /appinfo/info.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | apporder 4 | AppOrder 5 | Sort apps in the menu with drag and drop 6 | 7 | Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order. 8 | 9 | ## Set a default order for all new users 10 | 11 | Go to the Settings > Administration > Additional settings and drag the icons under App order. 12 | 13 | ## Use first app as default app 14 | 15 | You can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php: 16 | 17 | 'defaultapp' => 'apporder', 18 | 19 | Users will now get redirected to the first app of the default order or to the first app of the user order. 20 | 21 | 0.15.0 22 | agpl 23 | Julius Härtl 24 | AppOrder 25 | customization 26 | https://github.com/juliushaertl/apporder/issues 27 | https://github.com/juliushaertl/apporder.git 28 | https://download.bitgrid.net/nextcloud/apporder/apporder.png 29 | 30 | 31 | 32 | 33 | OCA\AppOrder\Settings\AdminSettings 34 | OCA\AppOrder\Settings\Section 35 | OCA\AppOrder\Settings\PersonalSettings 36 | OCA\AppOrder\Settings\Section 37 | 38 | 39 | -------------------------------------------------------------------------------- /appinfo/routes.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | return [ 25 | 'routes' => [ 26 | ['name' => 'app#index', 'url' => '/', 'verb' => 'GET'], 27 | ['name' => 'settings#getOrder', 'url' => '/getOrder', 'verb' => 'GET'], 28 | ['name' => 'settings#savePersonal', 'url' => '/savePersonal', 'verb' => 'POST'], 29 | ['name' => 'settings#saveDefaultOrder', 'url' => '/saveDefaultOrder', 'verb' => 'POST'], 30 | ['name' => 'settings#savePersonalHidden', 'url' => '/savePersonalHidden', 'verb' => 'POST'], 31 | ['name' => 'settings#saveDefaultHidden', 'url' => '/saveDefaultHidden', 'verb' => 'POST'], 32 | ['name' => 'settings#saveDefaultForce', 'url' => '/saveDefaultForce', 'verb' => 'POST'], 33 | ] 34 | ]; 35 | -------------------------------------------------------------------------------- /css/apporder.css: -------------------------------------------------------------------------------- 1 | #appsorter { 2 | margin-top: 10px; 3 | width: 100%; 4 | max-width: 320px; 5 | } 6 | #appsorter li { 7 | margin-bottom: 2px; 8 | display: flex; 9 | } 10 | 11 | #appsorter img { 12 | width: 20px; 13 | height: 20px; 14 | margin: 1px; 15 | margin-right: 10px; 16 | -webkit-filter: invert(1); 17 | filter: invert(1); 18 | filter: progid:DXImageTransform.Microsoft.BasicImage(invert='1'); 19 | opacity: .7; 20 | } 21 | body[class*="dark"] #appsorter img { 22 | -webkit-filter: invert(0); 23 | filter: invert(0); 24 | } 25 | #appsorter .placeholder { 26 | border: 1px dashed #aaaaaa; 27 | visibility: visible; 28 | width: 100%; 29 | height: 20px; 30 | margin-bottom: 2px; 31 | border-radius: 3px; 32 | } 33 | 34 | #appsorter li input { 35 | margin: 0; 36 | padding: 0; 37 | width: 14px; 38 | height: 14px; 39 | margin-top: -5px; 40 | margin-right: 10px; 41 | } 42 | 43 | #appsorter li p { 44 | padding: 1px; 45 | } 46 | 47 | #appsorterforce { 48 | margin-bottom: 2px; 49 | display: flex; 50 | } 51 | 52 | #appsorterforce input { 53 | margin: -5px 5px 0px 5px; 54 | padding: 0; 55 | width: 14px; 56 | height: 14px; 57 | } 58 | -------------------------------------------------------------------------------- /js/apporder.js: -------------------------------------------------------------------------------- 1 | $(function () { 2 | 3 | var app_menu = $('#appmenu'); 4 | if (!app_menu.length) 5 | return; 6 | 7 | app_menu.css('opacity', '0'); 8 | 9 | var mapMenu = function(parent, order, hidden) { 10 | available_apps = {}; 11 | parent.find('li').each(function () { 12 | var id = $(this).find('a').attr('href'); 13 | if(hidden.indexOf(id) > -1){ 14 | $(this).remove(); 15 | } 16 | available_apps[id] = $(this); 17 | }); 18 | 19 | //Remove hidden from order array 20 | order = order.filter(function(e){ 21 | return !(hidden.indexOf(e) > -1); 22 | }) 23 | $.each(order, function (order, value) { 24 | parent.prepend(available_apps[value]); 25 | }); 26 | }; 27 | 28 | // restore existing order 29 | $.get(OC.generateUrl('/apps/apporder/getOrder'),function(data){ 30 | var order_json = data.order; 31 | var hidden_json = data.hidden; 32 | var order = []; 33 | var hidden = []; 34 | try { 35 | order = JSON.parse(order_json).reverse(); 36 | } catch (e) { 37 | order = []; 38 | } 39 | try { 40 | hidden = JSON.parse(hidden_json); 41 | } catch (e) { 42 | hidden = []; 43 | } 44 | 45 | if (order.length === 0 && hidden.length === 0) { 46 | app_menu.css('opacity', '1'); 47 | return; 48 | } 49 | 50 | mapMenu($('#appmenu'), order, hidden); 51 | mapMenu($('#apps').find('ul'), order, hidden); 52 | $(window).trigger('resize'); 53 | app_menu.css('opacity', '1'); 54 | 55 | }); 56 | 57 | // Sorting inside settings 58 | $("#appsorter").sortable({ 59 | forcePlaceholderSize: true, 60 | placeholder: 'placeholder', 61 | stop: function (event, ui) { 62 | var items = []; 63 | var url; 64 | var type = $('#appsorter').data('type'); 65 | if(type === 'admin') { 66 | url = OC.generateUrl('/apps/apporder/saveDefaultOrder'); 67 | } else { 68 | url = OC.generateUrl('/apps/apporder/savePersonal'); 69 | } 70 | $("#appsorter").children().each(function (i, el) { 71 | var item = $(el).find('p').data("url"); 72 | items.push(item) 73 | }); 74 | var json = JSON.stringify(items); 75 | $.post(url, { 76 | order: json 77 | }, function (data) { 78 | $(event.srcElement).effect("highlight", {}, 1000); 79 | }); 80 | } 81 | }); 82 | 83 | $(".apporderhidden").change(function(){ 84 | var hiddenList = []; 85 | var url; 86 | var type = $("#appsorter").data("type"); 87 | 88 | if(type === 'admin') { 89 | url = OC.generateUrl('/apps/apporder/saveDefaultHidden'); 90 | } else { 91 | url = OC.generateUrl('/apps/apporder/savePersonalHidden'); 92 | } 93 | 94 | $(".apporderhidden").each(function(i, el){ 95 | if(!el.checked){ 96 | hiddenList.push($(el).siblings('p').attr('data-url')) 97 | } 98 | }); 99 | 100 | var json = JSON.stringify(hiddenList); 101 | $.post(url, { 102 | hidden: json 103 | }, function (data) { 104 | //$(event.srcElement).effect("highlight", {}, 1000); 105 | }); 106 | }); 107 | 108 | $("#forcecheckbox").change(function(){ 109 | var hiddenList = []; 110 | var url; 111 | var type = $("#forcecheckbox").data("type"); 112 | 113 | if(type === 'admin') { 114 | url = OC.generateUrl('/apps/apporder/saveDefaultForce'); 115 | var checked = $("#forcecheckbox").get(0).checked; 116 | 117 | var json = JSON.stringify(checked); 118 | $.post(url, { 119 | force: json 120 | }, function (data) { 121 | // Not really anything to do here ... 122 | }); 123 | } 124 | }); 125 | }); 126 | -------------------------------------------------------------------------------- /krankerl.toml: -------------------------------------------------------------------------------- 1 | [package] 2 | before_cmds = [ 3 | 4 | ] 5 | -------------------------------------------------------------------------------- /l10n/ar.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "ترتيب التطبيقات", 5 | "AppOrder" : "ترتيب التطبيقات", 6 | "Sort apps in the menu with drag and drop" : "فرز التطبيقات في القائمة بالسحب والإفلات", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "تمكين ترتيب أيقونات التطبيق من خلال الإعدادات الشخصية. سيتم حفظ الترتيب الخاص بكل مستخدم على حده. يمكن للمشرف تعريف ترتيب تلقائي عام لكل المستخدمين. ## تعريف ترتيب تلقائي عام لكل المستخدمين. إذهب إلى الإعدادات ثم الإشراف ثم الإعداد الإضافية و اسحب الأيقونات تحت ترتيب التطبيق. ## استخدام أول تطبيق كترتيب تلقائي. يمكنك أن تجعل النكست كلاود يقوم بتوجيه المستخدم إلى أول تطبيق في ترتيبهم الشخصي بتغيير البارامترات التالية في ملف config/config.php: 'defaultapp'=>'apporder', \nسيتم توجيه المستخدمين إلى التطبيق الأول بحسب الترتيب التلقائي العام لكل المستخدمين أو إلى التطبيق الإول بحسب المستخدم.", 8 | "App Order" : "ترتيب التطبيقات", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "تعيين ترتيب افتراضي لجميع المستخدمين. سيتم تجاهل هذا ، إذا قام المستخدم بإعداد أمر مخصص ، ولم يتم فرض الترتيب الافتراضي.", 10 | "Drag the app icons to change their order." : "قم بسحب أيقونة التطبيق لتغيير ترتيبتها.", 11 | "Force the default order for all users:" : "فرض الترتيب الافتراضي لجميع المستخدمين:", 12 | "If enabled, users will not be able to set a custom order." : "في حالة التمكين ، لن يتمكن المستخدمون من تعيين ترتيب مخصص." 13 | }, 14 | "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); 15 | -------------------------------------------------------------------------------- /l10n/ar.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "ترتيب التطبيقات", 3 | "AppOrder" : "ترتيب التطبيقات", 4 | "Sort apps in the menu with drag and drop" : "فرز التطبيقات في القائمة بالسحب والإفلات", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "تمكين ترتيب أيقونات التطبيق من خلال الإعدادات الشخصية. سيتم حفظ الترتيب الخاص بكل مستخدم على حده. يمكن للمشرف تعريف ترتيب تلقائي عام لكل المستخدمين. ## تعريف ترتيب تلقائي عام لكل المستخدمين. إذهب إلى الإعدادات ثم الإشراف ثم الإعداد الإضافية و اسحب الأيقونات تحت ترتيب التطبيق. ## استخدام أول تطبيق كترتيب تلقائي. يمكنك أن تجعل النكست كلاود يقوم بتوجيه المستخدم إلى أول تطبيق في ترتيبهم الشخصي بتغيير البارامترات التالية في ملف config/config.php: 'defaultapp'=>'apporder', \nسيتم توجيه المستخدمين إلى التطبيق الأول بحسب الترتيب التلقائي العام لكل المستخدمين أو إلى التطبيق الإول بحسب المستخدم.", 6 | "App Order" : "ترتيب التطبيقات", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "تعيين ترتيب افتراضي لجميع المستخدمين. سيتم تجاهل هذا ، إذا قام المستخدم بإعداد أمر مخصص ، ولم يتم فرض الترتيب الافتراضي.", 8 | "Drag the app icons to change their order." : "قم بسحب أيقونة التطبيق لتغيير ترتيبتها.", 9 | "Force the default order for all users:" : "فرض الترتيب الافتراضي لجميع المستخدمين:", 10 | "If enabled, users will not be able to set a custom order." : "في حالة التمكين ، لن يتمكن المستخدمون من تعيين ترتيب مخصص." 11 | },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" 12 | } -------------------------------------------------------------------------------- /l10n/ast.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Orde de les aplicaciones", 5 | "Sort apps in the menu with drag and drop" : "Ordena les aplicaciones del mou cola aición d'arrastrar ya soltar", 6 | "App Order" : "Orde de les aplicaciones", 7 | "Drag the app icons to change their order." : "Arrastra los iconos de les aplicaciones pa camudar el so orde." 8 | }, 9 | "nplurals=2; plural=(n != 1);"); 10 | -------------------------------------------------------------------------------- /l10n/ast.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Orde de les aplicaciones", 3 | "Sort apps in the menu with drag and drop" : "Ordena les aplicaciones del mou cola aición d'arrastrar ya soltar", 4 | "App Order" : "Orde de les aplicaciones", 5 | "Drag the app icons to change their order." : "Arrastra los iconos de les aplicaciones pa camudar el so orde." 6 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 7 | } -------------------------------------------------------------------------------- /l10n/bg.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Подредба на приложенията", 5 | "AppOrder" : "Подредба на приложения", 6 | "Sort apps in the menu with drag and drop" : "Променя реда на приложенията", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Активирайте сортирането на иконите на приложения от личните настройки. Подредбата ще бъде запазена за всеки потребител поотделно. Администраторите могат да дефинират персонализирана подредба по подразбиране.\n\n## Задаване на подредба по подразбиране за всички нови потребители\n\nОтидете на Настройки > Администриране> Допълнителни настройки и завлечете иконите под Подредба на приложенията.\n\n## Използвайте първото приложение като приложение по подразбиране \n\n Можете лесно да оставите Nextcloud да пренасочи потребителя ви към първото приложение в техния личен ред, като промените следния параметър във вашия config/config.php:\n 'defaultapp' => 'apporder', \nПотребителите вече ще бъдат пренасочвани към първото приложение от подредбата по подразбиране или към първото приложение от подредбата на потребителя.", 8 | "App Order" : "Подредба на приложенията", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Задаване на подредба по подразбиране за всички потребители. Това ще бъде игнорирано, ако потребителят е настроил персонализирана подредба, а подредбата по подразбиране не е принудителна.", 10 | "Drag the app icons to change their order." : "Влачете иконите на приложенията, за да промените подредбата им", 11 | "Force the default order for all users:" : "Принудителна подредба по подразбиране за всички потребители:", 12 | "If enabled, users will not be able to set a custom order." : "Ако е активирано, потребителите няма да могат да задават персонализирана подредба. " 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/bg.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Подредба на приложенията", 3 | "AppOrder" : "Подредба на приложения", 4 | "Sort apps in the menu with drag and drop" : "Променя реда на приложенията", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Активирайте сортирането на иконите на приложения от личните настройки. Подредбата ще бъде запазена за всеки потребител поотделно. Администраторите могат да дефинират персонализирана подредба по подразбиране.\n\n## Задаване на подредба по подразбиране за всички нови потребители\n\nОтидете на Настройки > Администриране> Допълнителни настройки и завлечете иконите под Подредба на приложенията.\n\n## Използвайте първото приложение като приложение по подразбиране \n\n Можете лесно да оставите Nextcloud да пренасочи потребителя ви към първото приложение в техния личен ред, като промените следния параметър във вашия config/config.php:\n 'defaultapp' => 'apporder', \nПотребителите вече ще бъдат пренасочвани към първото приложение от подредбата по подразбиране или към първото приложение от подредбата на потребителя.", 6 | "App Order" : "Подредба на приложенията", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Задаване на подредба по подразбиране за всички потребители. Това ще бъде игнорирано, ако потребителят е настроил персонализирана подредба, а подредбата по подразбиране не е принудителна.", 8 | "Drag the app icons to change their order." : "Влачете иконите на приложенията, за да промените подредбата им", 9 | "Force the default order for all users:" : "Принудителна подредба по подразбиране за всички потребители:", 10 | "If enabled, users will not be able to set a custom order." : "Ако е активирано, потребителите няма да могат да задават персонализирана подредба. " 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/ca.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordre de les aplicacions", 5 | "AppOrder" : "Ordre de les aplicacions", 6 | "Sort apps in the menu with drag and drop" : "Arrossegueu i deixeu anar les aplicacions del menú per a ordenar-les", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activeu l'ordenació de les icones de l'aplicació des de la configuració personal. La comanda es desarà per a cada usuari individualment. Els administradors poden definir una comanda predeterminada personalitzada.\n\n## Estableix una ordre predeterminada per a tots els usuaris nous\n\nAneu a Configuració > Administració > Configuració addicional i arrossegueu les icones a Ordre de l'aplicació.\n\n## Utilitzeu la primera aplicació com a aplicació predeterminada\n\nPodeu deixar fàcilment que Nextcloud redirigeixi el vostre usuari a la primera aplicació en el seu ordre personal canviant el paràmetre següent al vostre config/config.php:\n\n 'defaultapp' => 'ordenar',\n\nAra els usuaris seran redirigits a la primera aplicació de la comanda predeterminada o a la primera aplicació de la comanda d'usuari.", 8 | "App Order" : "Ordre de les aplicacions", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Configureu un ordre per defecte per a tots els usuaris. S'ignorarà si l'usuari ha definit un ordre personalitzat i si no es força l'ordre per defecte.", 10 | "Drag the app icons to change their order." : "Arrossegueu les icones de les aplicacions per a canviar-ne l'ordre.", 11 | "Force the default order for all users:" : "Força l'ordre per defecte per a tots els usuaris:", 12 | "If enabled, users will not be able to set a custom order." : "Si s'habilita, els usuaris no podran canviar l'ordre." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/ca.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordre de les aplicacions", 3 | "AppOrder" : "Ordre de les aplicacions", 4 | "Sort apps in the menu with drag and drop" : "Arrossegueu i deixeu anar les aplicacions del menú per a ordenar-les", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activeu l'ordenació de les icones de l'aplicació des de la configuració personal. La comanda es desarà per a cada usuari individualment. Els administradors poden definir una comanda predeterminada personalitzada.\n\n## Estableix una ordre predeterminada per a tots els usuaris nous\n\nAneu a Configuració > Administració > Configuració addicional i arrossegueu les icones a Ordre de l'aplicació.\n\n## Utilitzeu la primera aplicació com a aplicació predeterminada\n\nPodeu deixar fàcilment que Nextcloud redirigeixi el vostre usuari a la primera aplicació en el seu ordre personal canviant el paràmetre següent al vostre config/config.php:\n\n 'defaultapp' => 'ordenar',\n\nAra els usuaris seran redirigits a la primera aplicació de la comanda predeterminada o a la primera aplicació de la comanda d'usuari.", 6 | "App Order" : "Ordre de les aplicacions", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Configureu un ordre per defecte per a tots els usuaris. S'ignorarà si l'usuari ha definit un ordre personalitzat i si no es força l'ordre per defecte.", 8 | "Drag the app icons to change their order." : "Arrossegueu les icones de les aplicacions per a canviar-ne l'ordre.", 9 | "Force the default order for all users:" : "Força l'ordre per defecte per a tots els usuaris:", 10 | "If enabled, users will not be able to set a custom order." : "Si s'habilita, els usuaris no podran canviar l'ordre." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/cs.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Pořadí aplikací", 5 | "AppOrder" : "Pořadí aplikací", 6 | "Sort apps in the menu with drag and drop" : "Měňte pořadí aplikací v nabídce pomocí „táhni a pusť“", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Umožňuje seřazení ikon aplikací prostřednictvím osobních nastavení. Pořadí bude uloženo\npro každého uživatele zvlášť. Správci mohou určit výchozí pořadí ikon.\n\n## Nastavení výchozího pořadí ikon pro nové uživatele\n\nJděte do Nastavení > Správa > Další nastavení a v sekci Pořadí aplikací popřetahujte ikony do vámi zvoleného pořadí.\n\n## Použití první aplikace jako té výchozí\n\nUživatele můžete snadno přesměrovat na první aplikaci v jejich pořadí tím, že změníte následující parametr v souboru config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUživatelé nyní budou automaticky přesměrováni na první aplikaci výchozího popř. jimi nastaveného pořadí.", 8 | "App Order" : "Pořadí aplikací", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastavit výchozí pořadí pro všechny uživatele. Toto bude ignorováno, pokud si uživatel nastavil své vlastní pořadí a výchozí pořadí není vynucováno.", 10 | "Drag the app icons to change their order." : "Pořadí aplikací změníte přetažením jejich ikon.", 11 | "Force the default order for all users:" : "Vynutit výchozí pořadí pro všechny uživatele:", 12 | "If enabled, users will not be able to set a custom order." : "Pokud zapnuto, uživatelé si nebudou moci upravovat pořadí." 13 | }, 14 | "nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"); 15 | -------------------------------------------------------------------------------- /l10n/cs.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Pořadí aplikací", 3 | "AppOrder" : "Pořadí aplikací", 4 | "Sort apps in the menu with drag and drop" : "Měňte pořadí aplikací v nabídce pomocí „táhni a pusť“", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Umožňuje seřazení ikon aplikací prostřednictvím osobních nastavení. Pořadí bude uloženo\npro každého uživatele zvlášť. Správci mohou určit výchozí pořadí ikon.\n\n## Nastavení výchozího pořadí ikon pro nové uživatele\n\nJděte do Nastavení > Správa > Další nastavení a v sekci Pořadí aplikací popřetahujte ikony do vámi zvoleného pořadí.\n\n## Použití první aplikace jako té výchozí\n\nUživatele můžete snadno přesměrovat na první aplikaci v jejich pořadí tím, že změníte následující parametr v souboru config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUživatelé nyní budou automaticky přesměrováni na první aplikaci výchozího popř. jimi nastaveného pořadí.", 6 | "App Order" : "Pořadí aplikací", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastavit výchozí pořadí pro všechny uživatele. Toto bude ignorováno, pokud si uživatel nastavil své vlastní pořadí a výchozí pořadí není vynucováno.", 8 | "Drag the app icons to change their order." : "Pořadí aplikací změníte přetažením jejich ikon.", 9 | "Force the default order for all users:" : "Vynutit výchozí pořadí pro všechny uživatele:", 10 | "If enabled, users will not be able to set a custom order." : "Pokud zapnuto, uživatelé si nebudou moci upravovat pořadí." 11 | },"pluralForm" :"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;" 12 | } -------------------------------------------------------------------------------- /l10n/da.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App rækkefølge", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Sorter apps i menuen med træk og slip", 7 | "App Order" : "Apporden", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Angiv forvalgt rækkefølge for alle brugere. Dette ignoreres, hvis brugeren selv angiver egen rækkefølge, og den forvalgte rækkefølge er ikke påtvunget. ", 9 | "Drag the app icons to change their order." : "Flyt appikonerne for at ændre ordenen.", 10 | "Force the default order for all users:" : "Gennemtving den forvalgte rækkefølge for alle brugere:", 11 | "If enabled, users will not be able to set a custom order." : "Hvis slået til, så kan brugere ikke angive egne rækkefølger. " 12 | }, 13 | "nplurals=2; plural=(n != 1);"); 14 | -------------------------------------------------------------------------------- /l10n/da.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App rækkefølge", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Sorter apps i menuen med træk og slip", 5 | "App Order" : "Apporden", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Angiv forvalgt rækkefølge for alle brugere. Dette ignoreres, hvis brugeren selv angiver egen rækkefølge, og den forvalgte rækkefølge er ikke påtvunget. ", 7 | "Drag the app icons to change their order." : "Flyt appikonerne for at ændre ordenen.", 8 | "Force the default order for all users:" : "Gennemtving den forvalgte rækkefølge for alle brugere:", 9 | "If enabled, users will not be able to set a custom order." : "Hvis slået til, så kan brugere ikke angive egne rækkefølger. " 10 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 11 | } -------------------------------------------------------------------------------- /l10n/de.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App-Reihenfolge", 5 | "AppOrder" : "App-Reihenfolge", 6 | "Sort apps in the menu with drag and drop" : "Apps im Menü per Drag und Drop sortieren", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ermöglicht es, die Reihenfolge der App-Icons in den persönlichen Einstellungen anzupassen. Die Reihenfolge wird für jeden \nBenutzer getrennt gespeichert. Administratoren können eine Standard-Sortierung vorgeben.\n\n##Standard-Sortierung für neue Benutzer einstellen\n\nUnter Administratoren-Einstellungen > Zusätzliche Einstellungen die Icons in die gewünschte Reihenfolge ziehen.\n\n##Erste App als Standard-App setzen\nUm die Benutzer einfach zur ersten App in ihrer persönlichen Reihenfolge umzuleiten, einfach in der config/config.php folgenden Parameter setzen:\n\n 'defaultapp' => 'apporder',\n\nBenutzer werden nun zur ersten App der Standard-Reihenfolge oder ihrer\npersönlichen Reihenfolge umgeleitet.", 8 | "App Order" : "App-Reihenfolge", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Standardreihenfolge für alle Benutzer einstellen. Diese Einstellung wird ignoriert, sofern der Benutzer eine eigene Reihenfolge eingestellt hat und die Standardreihenfolge nicht erzwungen wird.", 10 | "Drag the app icons to change their order." : "Verschiebe die App-Symbole, um ihre Reihenfolge zu verändern.", 11 | "Force the default order for all users:" : "Standardreihenfolge für alle Benutzer erzwingen:", 12 | "If enabled, users will not be able to set a custom order." : "Wenn aktiviert, können Benutzer keine eigene Reihenfolge einstellen." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/de.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App-Reihenfolge", 3 | "AppOrder" : "App-Reihenfolge", 4 | "Sort apps in the menu with drag and drop" : "Apps im Menü per Drag und Drop sortieren", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ermöglicht es, die Reihenfolge der App-Icons in den persönlichen Einstellungen anzupassen. Die Reihenfolge wird für jeden \nBenutzer getrennt gespeichert. Administratoren können eine Standard-Sortierung vorgeben.\n\n##Standard-Sortierung für neue Benutzer einstellen\n\nUnter Administratoren-Einstellungen > Zusätzliche Einstellungen die Icons in die gewünschte Reihenfolge ziehen.\n\n##Erste App als Standard-App setzen\nUm die Benutzer einfach zur ersten App in ihrer persönlichen Reihenfolge umzuleiten, einfach in der config/config.php folgenden Parameter setzen:\n\n 'defaultapp' => 'apporder',\n\nBenutzer werden nun zur ersten App der Standard-Reihenfolge oder ihrer\npersönlichen Reihenfolge umgeleitet.", 6 | "App Order" : "App-Reihenfolge", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Standardreihenfolge für alle Benutzer einstellen. Diese Einstellung wird ignoriert, sofern der Benutzer eine eigene Reihenfolge eingestellt hat und die Standardreihenfolge nicht erzwungen wird.", 8 | "Drag the app icons to change their order." : "Verschiebe die App-Symbole, um ihre Reihenfolge zu verändern.", 9 | "Force the default order for all users:" : "Standardreihenfolge für alle Benutzer erzwingen:", 10 | "If enabled, users will not be able to set a custom order." : "Wenn aktiviert, können Benutzer keine eigene Reihenfolge einstellen." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/de_DE.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App-Reihenfolge", 5 | "AppOrder" : "App-Reihenfolge", 6 | "Sort apps in the menu with drag and drop" : "Apps im Menü per Drag und Drop sortieren", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ermöglicht es, die Reihenfolge der App-Icons in den persönlichen Einstellungen anzupassen. Die Reihenfolge wird für jeden Benutzer getrennt gespeichert. Administratoren können eine Standard-Sortierung vorgeben.\n\n## Standard-Sortierung für neue Benutzer einstellen\n\nUnter Einstellungen > Administration > Zusätzliche Einstellungen die Icons in die gewünschte Reihenfolge ziehen.\n\n## Erste App als Standard-App setzen\n\nUm die Benutzer einfach zur ersten App in ihrer persönlichen Reihenfolge umzuleiten, einfach in der config/config.php folgenden Parameter setzen:\n\n 'defaultapp' => 'apporder',\n\nBenutzer werden nun zur ersten App der Standard-Reihenfolge oder ihrer persönlichen Reihenfolge umgeleitet.", 8 | "App Order" : "App-Reihenfolge", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Standardreihenfolge für alle Benutzer einstellen. Diese Einstellung wird ignoriert, sofern der Benutzer eine eigene Reihenfolge eingestellt hat und die Standardreihenfolge nicht erzwungen wird.", 10 | "Drag the app icons to change their order." : "Verschieben Sie die App-Symbole, um ihre Reihenfolge zu verändern.", 11 | "Force the default order for all users:" : "Standardreihenfolge für alle Benutzer erzwingen:", 12 | "If enabled, users will not be able to set a custom order." : "Wenn aktiviert, können Benutzer keine eigene Reihenfolge einstellen." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/de_DE.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App-Reihenfolge", 3 | "AppOrder" : "App-Reihenfolge", 4 | "Sort apps in the menu with drag and drop" : "Apps im Menü per Drag und Drop sortieren", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ermöglicht es, die Reihenfolge der App-Icons in den persönlichen Einstellungen anzupassen. Die Reihenfolge wird für jeden Benutzer getrennt gespeichert. Administratoren können eine Standard-Sortierung vorgeben.\n\n## Standard-Sortierung für neue Benutzer einstellen\n\nUnter Einstellungen > Administration > Zusätzliche Einstellungen die Icons in die gewünschte Reihenfolge ziehen.\n\n## Erste App als Standard-App setzen\n\nUm die Benutzer einfach zur ersten App in ihrer persönlichen Reihenfolge umzuleiten, einfach in der config/config.php folgenden Parameter setzen:\n\n 'defaultapp' => 'apporder',\n\nBenutzer werden nun zur ersten App der Standard-Reihenfolge oder ihrer persönlichen Reihenfolge umgeleitet.", 6 | "App Order" : "App-Reihenfolge", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Standardreihenfolge für alle Benutzer einstellen. Diese Einstellung wird ignoriert, sofern der Benutzer eine eigene Reihenfolge eingestellt hat und die Standardreihenfolge nicht erzwungen wird.", 8 | "Drag the app icons to change their order." : "Verschieben Sie die App-Symbole, um ihre Reihenfolge zu verändern.", 9 | "Force the default order for all users:" : "Standardreihenfolge für alle Benutzer erzwingen:", 10 | "If enabled, users will not be able to set a custom order." : "Wenn aktiviert, können Benutzer keine eigene Reihenfolge einstellen." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/el.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App order", 5 | "AppOrder" : "Αίτηση Εφαρμογής", 6 | "Sort apps in the menu with drag and drop" : "Ταξινόμηση εφαρμογών στο μενού με μεταφορά και απόθεση", 7 | "App Order" : "Σειρά εφαρμογών", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ορίστε μια προεπιλεγμένη σειρά για όλους τους χρήστες. Αυτό θα αγνοηθεί εάν ο χρήστης έχει ρυθμίσει μια προσαρμοσμένη σειρά και η προεπιλεγμένη δεν θα εφαρμοστεί.", 9 | "Drag the app icons to change their order." : " Σύρετε τα εικονίδια των εφαρμογών για να αλλάξετε τη σειρά τους.", 10 | "Force the default order for all users:" : "Επιβολή προεπιλογής σε όλους τους χρήστες:", 11 | "If enabled, users will not be able to set a custom order." : "Αν ενεργοποιηθεί, οι χρήστες δεν θα μπορούν να ορίσουν μια προσαρμοσμένη σειρά." 12 | }, 13 | "nplurals=2; plural=(n != 1);"); 14 | -------------------------------------------------------------------------------- /l10n/el.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App order", 3 | "AppOrder" : "Αίτηση Εφαρμογής", 4 | "Sort apps in the menu with drag and drop" : "Ταξινόμηση εφαρμογών στο μενού με μεταφορά και απόθεση", 5 | "App Order" : "Σειρά εφαρμογών", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ορίστε μια προεπιλεγμένη σειρά για όλους τους χρήστες. Αυτό θα αγνοηθεί εάν ο χρήστης έχει ρυθμίσει μια προσαρμοσμένη σειρά και η προεπιλεγμένη δεν θα εφαρμοστεί.", 7 | "Drag the app icons to change their order." : " Σύρετε τα εικονίδια των εφαρμογών για να αλλάξετε τη σειρά τους.", 8 | "Force the default order for all users:" : "Επιβολή προεπιλογής σε όλους τους χρήστες:", 9 | "If enabled, users will not be able to set a custom order." : "Αν ενεργοποιηθεί, οι χρήστες δεν θα μπορούν να ορίσουν μια προσαρμοσμένη σειρά." 10 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 11 | } -------------------------------------------------------------------------------- /l10n/en_GB.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App order", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Sort apps in the menu with drag and drop", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order.", 8 | "App Order" : "App Order", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced.", 10 | "Drag the app icons to change their order." : "Drag the app icons to change their order.", 11 | "Force the default order for all users:" : "Force the default order for all users:", 12 | "If enabled, users will not be able to set a custom order." : "If enabled, users will not be able to set a custom order." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/en_GB.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App order", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Sort apps in the menu with drag and drop", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order.", 6 | "App Order" : "App Order", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced.", 8 | "Drag the app icons to change their order." : "Drag the app icons to change their order.", 9 | "Force the default order for all users:" : "Force the default order for all users:", 10 | "If enabled, users will not be able to set a custom order." : "If enabled, users will not be able to set a custom order." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/eo.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Aplikaĵa ordo", 5 | "AppOrder" : "Aplikaĵa ordo", 6 | "Sort apps in the menu with drag and drop" : "Ordigi menuajn aplikaĵojn per ŝovo kaj demeto", 7 | "App Order" : "Ordo de la aplikaĵoj", 8 | "Drag the app icons to change their order." : "Ŝovi la aplikaĵajn piktogramojn por ŝanĝi ilian ordon." 9 | }, 10 | "nplurals=2; plural=(n != 1);"); 11 | -------------------------------------------------------------------------------- /l10n/eo.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Aplikaĵa ordo", 3 | "AppOrder" : "Aplikaĵa ordo", 4 | "Sort apps in the menu with drag and drop" : "Ordigi menuajn aplikaĵojn per ŝovo kaj demeto", 5 | "App Order" : "Ordo de la aplikaĵoj", 6 | "Drag the app icons to change their order." : "Ŝovi la aplikaĵajn piktogramojn por ŝanĝi ilian ordon." 7 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 8 | } -------------------------------------------------------------------------------- /l10n/es.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Orden de apps", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Ordenar apps en el menú mediante arrastrar y soltar", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Permite ordenar los iconos de las apps desde la configuración personal. El orden se salvará individualmente para\ncada usuario. Los administradores puede definir un orden por defecto personalizado.\n\n## Configurar un orden por defecto para todos los usuarios nuevos\n\nConfiguración > Configuración adicional y arrastrar los iconos debajo de App Order.\n\n## Usar la primera app como app por defecto\n\nPuedes dejar que Nextcloud redireccione tu usuario a la primera app en el\norden personal con mucha facilidad. Hay que cambiar el siguiente parámetro en tu config/config.php:\n\n'defaultapp' => 'apporder',\n\nLos usuarios serán redirigidos a partir de ahora la primera app del orden por defecto o a la\nprimera app del orden del usuario.", 8 | "App Order" : "Orden de apps", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establecer un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado o si el orden predeterminado no está forzado.", 10 | "Drag the app icons to change their order." : "Arrastra los iconos de las aplicaciones para cambiar el orden.", 11 | "Force the default order for all users:" : "Forzar orden para todos los usuarios:", 12 | "If enabled, users will not be able to set a custom order." : "Si se activa, los usuarios no podrán personalizar el orden de las apps." 13 | }, 14 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 15 | -------------------------------------------------------------------------------- /l10n/es.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Orden de apps", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Ordenar apps en el menú mediante arrastrar y soltar", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Permite ordenar los iconos de las apps desde la configuración personal. El orden se salvará individualmente para\ncada usuario. Los administradores puede definir un orden por defecto personalizado.\n\n## Configurar un orden por defecto para todos los usuarios nuevos\n\nConfiguración > Configuración adicional y arrastrar los iconos debajo de App Order.\n\n## Usar la primera app como app por defecto\n\nPuedes dejar que Nextcloud redireccione tu usuario a la primera app en el\norden personal con mucha facilidad. Hay que cambiar el siguiente parámetro en tu config/config.php:\n\n'defaultapp' => 'apporder',\n\nLos usuarios serán redirigidos a partir de ahora la primera app del orden por defecto o a la\nprimera app del orden del usuario.", 6 | "App Order" : "Orden de apps", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establecer un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado o si el orden predeterminado no está forzado.", 8 | "Drag the app icons to change their order." : "Arrastra los iconos de las aplicaciones para cambiar el orden.", 9 | "Force the default order for all users:" : "Forzar orden para todos los usuarios:", 10 | "If enabled, users will not be able to set a custom order." : "Si se activa, los usuarios no podrán personalizar el orden de las apps." 11 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 12 | } -------------------------------------------------------------------------------- /l10n/es_419.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_419.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_AR.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Orden de las aplicaciones", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Ordenar aplicaciones en el menú arrastrando y soltando", 7 | "App Order" : "Ordenar Aplicaciones", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establezca un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado y el orden por defecto no está forzado.", 9 | "Drag the app icons to change their order." : "Arrastrar los íconos de las aplicaciones para cambiar su orden.", 10 | "Force the default order for all users:" : "Forzar el orden por defecto para todos los usuarios:", 11 | "If enabled, users will not be able to set a custom order." : "Si está habilitado, los usuarios no podrán establecer un orden personalizado." 12 | }, 13 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 14 | -------------------------------------------------------------------------------- /l10n/es_AR.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Orden de las aplicaciones", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Ordenar aplicaciones en el menú arrastrando y soltando", 5 | "App Order" : "Ordenar Aplicaciones", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establezca un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado y el orden por defecto no está forzado.", 7 | "Drag the app icons to change their order." : "Arrastrar los íconos de las aplicaciones para cambiar su orden.", 8 | "Force the default order for all users:" : "Forzar el orden por defecto para todos los usuarios:", 9 | "If enabled, users will not be able to set a custom order." : "Si está habilitado, los usuarios no podrán establecer un orden personalizado." 10 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 11 | } -------------------------------------------------------------------------------- /l10n/es_CL.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_CL.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_CO.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_CO.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_CR.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_CR.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_DO.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_DO.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_EC.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Orden de aplicación", 5 | "AppOrder" : "Orden de la aplicación", 6 | "Sort apps in the menu with drag and drop" : "Ordenar las aplicaciones en el menú con arrastrar y soltar", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Habilitar el ordenamiento de los iconos de las aplicaciones desde la configuración personal. El orden se guardará para cada usuario de forma individual. Los administradores pueden definir un orden predeterminado personalizado.\n\n## Establecer un orden predeterminado para todos los usuarios nuevos\n\nVaya a Configuración > Administración > Configuración adicional y arrastre los iconos debajo de Orden de la aplicación.\n\n## Usar la primera aplicación como aplicación predeterminada\n\nPuedes hacer que Nextcloud redireccione a tu usuario a la primera aplicación en su orden personal cambiando el siguiente parámetro en tu config/config.php:\n\n'defaultapp' => 'apporder',\n\nLos usuarios ahora serán redirigidos a la primera aplicación del orden predeterminado o a la primera aplicación del orden del usuario.", 8 | "App Order" : "Orden de la aplicación", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establecer un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado y el orden predeterminado no está forzado.", 10 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden.", 11 | "Force the default order for all users:" : "Forzar el orden predeterminado para todos los usuarios:", 12 | "If enabled, users will not be able to set a custom order." : "Si se activa, los usuarios no podrán establecer un orden personalizado." 13 | }, 14 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 15 | -------------------------------------------------------------------------------- /l10n/es_EC.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Orden de aplicación", 3 | "AppOrder" : "Orden de la aplicación", 4 | "Sort apps in the menu with drag and drop" : "Ordenar las aplicaciones en el menú con arrastrar y soltar", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Habilitar el ordenamiento de los iconos de las aplicaciones desde la configuración personal. El orden se guardará para cada usuario de forma individual. Los administradores pueden definir un orden predeterminado personalizado.\n\n## Establecer un orden predeterminado para todos los usuarios nuevos\n\nVaya a Configuración > Administración > Configuración adicional y arrastre los iconos debajo de Orden de la aplicación.\n\n## Usar la primera aplicación como aplicación predeterminada\n\nPuedes hacer que Nextcloud redireccione a tu usuario a la primera aplicación en su orden personal cambiando el siguiente parámetro en tu config/config.php:\n\n'defaultapp' => 'apporder',\n\nLos usuarios ahora serán redirigidos a la primera aplicación del orden predeterminado o a la primera aplicación del orden del usuario.", 6 | "App Order" : "Orden de la aplicación", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Establecer un orden predeterminado para todos los usuarios. Esto se ignorará si el usuario ha configurado un orden personalizado y el orden predeterminado no está forzado.", 8 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden.", 9 | "Force the default order for all users:" : "Forzar el orden predeterminado para todos los usuarios:", 10 | "If enabled, users will not be able to set a custom order." : "Si se activa, los usuarios no podrán establecer un orden personalizado." 11 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 12 | } -------------------------------------------------------------------------------- /l10n/es_GT.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_GT.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_HN.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_HN.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_MX.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "Sort apps in the menu with drag and drop" : "Ordena las aplicaciones en el menú arrastrándolas", 6 | "App Order" : "Orden de la aplicación", 7 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 8 | }, 9 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 10 | -------------------------------------------------------------------------------- /l10n/es_MX.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "Sort apps in the menu with drag and drop" : "Ordena las aplicaciones en el menú arrastrándolas", 4 | "App Order" : "Orden de la aplicación", 5 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 6 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 7 | } -------------------------------------------------------------------------------- /l10n/es_NI.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_NI.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_PA.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_PA.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_PE.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_PE.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_PR.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_PR.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_PY.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_PY.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_SV.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_SV.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/es_UY.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "Orden de la aplicación", 5 | "App Order" : "Orden de la aplicación", 6 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 7 | }, 8 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 9 | -------------------------------------------------------------------------------- /l10n/es_UY.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "Orden de la aplicación", 3 | "App Order" : "Orden de la aplicación", 4 | "Drag the app icons to change their order." : "Arrastra los íconos de la aplicación para cambiar su orden." 5 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 6 | } -------------------------------------------------------------------------------- /l10n/et_EE.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "AppOrder", 5 | "App Order" : "Rakenduste järjestus", 6 | "Drag the app icons to change their order." : "Rakenduste järjestuse muutmiseks lohista need sobivasse kohta." 7 | }, 8 | "nplurals=2; plural=(n != 1);"); 9 | -------------------------------------------------------------------------------- /l10n/et_EE.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "AppOrder", 3 | "App Order" : "Rakenduste järjestus", 4 | "Drag the app icons to change their order." : "Rakenduste järjestuse muutmiseks lohista need sobivasse kohta." 5 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 6 | } -------------------------------------------------------------------------------- /l10n/eu.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Aplikazioen ordena", 5 | "AppOrder" : "App-en ordena", 6 | "Sort apps in the menu with drag and drop" : "Ordenatu menuko aplikazioak arrastatu eta jareginez", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Gaitu aplikazioen ikonoen ordena norbere ezarpenetatik aldatzea. Erabiltzaile bakoitzak\nbere ordena eduki dezake. Kudeatzaileek lehenetsitako ordena definitu dezakete.\n\n## Ezarri lehenetsitako ordena erabiltzaile berri guztientzat\n\nJoan Ezarpenak > Administrazioa > Ezarpen gehigarriak atalera eta arrastatu App-en ordenaren azpiko ikonoak.\n\n## Erabili lehen aplikazioa lehenetsitakoa bezala\n\nNextcloudek erabiltzaile bakoitza bere ordena pertsonaleko lehen aplikaziorantz\nberbideratu dezake modu errazean, ezarpenetan honako parametroa aldatuz config/config.php:\n\n 'defaultapp' => 'apporder',\n\nErabiltzaileak berbideratuak izango dira ordena lehenetsiko lehen aplikaziora edo\nerabiltzailearen ordenaren lehen aplikaziora.", 8 | "App Order" : "App-en ordena", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ezarri lehenetsitako orden bat erabiltzaile guztientzat. Hau ezikusi egingo da erabiltzaileak orden pertsonalizatu bat konfiguratuta badu, eta orden lehenetsia ez badago behartuta.", 10 | "Drag the app icons to change their order." : "Arrastatu app-en ikonoak ordena aldatzeko.", 11 | "Force the default order for all users:" : "Behartu lehenetsitako ordena erabiltzaile guztientzat:", 12 | "If enabled, users will not be able to set a custom order." : "Gaituta badago, erabiltzaileek ezingo dute orden pertsonalizatu bat ezarri." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/eu.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Aplikazioen ordena", 3 | "AppOrder" : "App-en ordena", 4 | "Sort apps in the menu with drag and drop" : "Ordenatu menuko aplikazioak arrastatu eta jareginez", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Gaitu aplikazioen ikonoen ordena norbere ezarpenetatik aldatzea. Erabiltzaile bakoitzak\nbere ordena eduki dezake. Kudeatzaileek lehenetsitako ordena definitu dezakete.\n\n## Ezarri lehenetsitako ordena erabiltzaile berri guztientzat\n\nJoan Ezarpenak > Administrazioa > Ezarpen gehigarriak atalera eta arrastatu App-en ordenaren azpiko ikonoak.\n\n## Erabili lehen aplikazioa lehenetsitakoa bezala\n\nNextcloudek erabiltzaile bakoitza bere ordena pertsonaleko lehen aplikaziorantz\nberbideratu dezake modu errazean, ezarpenetan honako parametroa aldatuz config/config.php:\n\n 'defaultapp' => 'apporder',\n\nErabiltzaileak berbideratuak izango dira ordena lehenetsiko lehen aplikaziora edo\nerabiltzailearen ordenaren lehen aplikaziora.", 6 | "App Order" : "App-en ordena", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ezarri lehenetsitako orden bat erabiltzaile guztientzat. Hau ezikusi egingo da erabiltzaileak orden pertsonalizatu bat konfiguratuta badu, eta orden lehenetsia ez badago behartuta.", 8 | "Drag the app icons to change their order." : "Arrastatu app-en ikonoak ordena aldatzeko.", 9 | "Force the default order for all users:" : "Behartu lehenetsitako ordena erabiltzaile guztientzat:", 10 | "If enabled, users will not be able to set a custom order." : "Gaituta badago, erabiltzaileek ezingo dute orden pertsonalizatu bat ezarri." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/fa.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "سفارش برنامه", 5 | "AppOrder" : "سفارش برنامه", 6 | "Sort apps in the menu with drag and drop" : "مرتب کردن برنامه ها در فهرست با کشیدن و رها کردن", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order.", 8 | "App Order" : "سفارش برنامه", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "یک سفارش پیش فرض برای همه کاربران تنظیم کنید. اگر کاربر سفارش سفارشی تنظیم کرده باشد ، و سفارش پیش فرض اجباری نیست ، این مورد نادیده گرفته می شود.", 10 | "Drag the app icons to change their order." : "نمادهای برنامه را بکشید تا ترتیب آنها تغییر کند.", 11 | "Force the default order for all users:" : "سفارش پیش فرض را برای همه کاربران مجبور کنید:", 12 | "If enabled, users will not be able to set a custom order." : "در صورت فعال بودن ، کاربران قادر به تنظیم سفارش سفارشی نخواهند بود." 13 | }, 14 | "nplurals=2; plural=(n > 1);"); 15 | -------------------------------------------------------------------------------- /l10n/fa.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "سفارش برنامه", 3 | "AppOrder" : "سفارش برنامه", 4 | "Sort apps in the menu with drag and drop" : "مرتب کردن برنامه ها در فهرست با کشیدن و رها کردن", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order.", 6 | "App Order" : "سفارش برنامه", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "یک سفارش پیش فرض برای همه کاربران تنظیم کنید. اگر کاربر سفارش سفارشی تنظیم کرده باشد ، و سفارش پیش فرض اجباری نیست ، این مورد نادیده گرفته می شود.", 8 | "Drag the app icons to change their order." : "نمادهای برنامه را بکشید تا ترتیب آنها تغییر کند.", 9 | "Force the default order for all users:" : "سفارش پیش فرض را برای همه کاربران مجبور کنید:", 10 | "If enabled, users will not be able to set a custom order." : "در صورت فعال بودن ، کاربران قادر به تنظیم سفارش سفارشی نخواهند بود." 11 | },"pluralForm" :"nplurals=2; plural=(n > 1);" 12 | } -------------------------------------------------------------------------------- /l10n/fi.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Sovellusjärjestys", 5 | "AppOrder" : "Sovellusjärjestys", 6 | "Sort apps in the menu with drag and drop" : "Järjestä sovellukset valikkoon vetämällä ja pudottamalla", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ota käyttöön sovelluskuvakkeiden uudelleen järjestäminen henkilökohtaisista asetuksista. Järjestys tallennetaan jokaiselle käyttäjälle yksilöllisesti. Järjestelmänvalvojat voivat määrittää oletusjärjestyksen.\n\n## Aseta oletusjärjestys kaikille uusille käyttäjille\n\nMene Asetuksiin -> Järjestelmänvalvojan asetukset -> Lisäasetukset ja määritä kuvakkeiden järjestys.\n\n## Käytä ensimmäistä sovellusta oletussovelluksena\n\nVoit määrittää Nextcloudin ohjaamaan käyttäjän automaattisesti sovelluslistan ensimmäiseen sovellukseen muuttamalla seuraavaa parametriä config/config.php-tiedostossa:\n\n 'defaultapp' => 'apporder',\n\nTällöin käyttäjä ohjautuu oletusjärjestyksen ensimmäiseen sovellukseen tai oman sovellusjärjestyksensä ensimmäiseen sovellukseen kirjautuessaan.", 8 | "App Order" : "Sovellusjärjestys", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Määritä sovellusten oletusjärjestys kaikille käyttäjille. Käyttäjät voivat halutessaan määrittää sovellukset itselleen eri järjestykseen.", 10 | "Drag the app icons to change their order." : "Vedä sovellusten kuvakkeita vaihtaaksesi niiden järjestystä.", 11 | "Force the default order for all users:" : "Pakota oletusjärjestys kaikille käyttäjille:", 12 | "If enabled, users will not be able to set a custom order." : "Jos käytössä, käyttäjät eivät voi asettaa omavalintaista järjestystä." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/fi.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Sovellusjärjestys", 3 | "AppOrder" : "Sovellusjärjestys", 4 | "Sort apps in the menu with drag and drop" : "Järjestä sovellukset valikkoon vetämällä ja pudottamalla", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Ota käyttöön sovelluskuvakkeiden uudelleen järjestäminen henkilökohtaisista asetuksista. Järjestys tallennetaan jokaiselle käyttäjälle yksilöllisesti. Järjestelmänvalvojat voivat määrittää oletusjärjestyksen.\n\n## Aseta oletusjärjestys kaikille uusille käyttäjille\n\nMene Asetuksiin -> Järjestelmänvalvojan asetukset -> Lisäasetukset ja määritä kuvakkeiden järjestys.\n\n## Käytä ensimmäistä sovellusta oletussovelluksena\n\nVoit määrittää Nextcloudin ohjaamaan käyttäjän automaattisesti sovelluslistan ensimmäiseen sovellukseen muuttamalla seuraavaa parametriä config/config.php-tiedostossa:\n\n 'defaultapp' => 'apporder',\n\nTällöin käyttäjä ohjautuu oletusjärjestyksen ensimmäiseen sovellukseen tai oman sovellusjärjestyksensä ensimmäiseen sovellukseen kirjautuessaan.", 6 | "App Order" : "Sovellusjärjestys", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Määritä sovellusten oletusjärjestys kaikille käyttäjille. Käyttäjät voivat halutessaan määrittää sovellukset itselleen eri järjestykseen.", 8 | "Drag the app icons to change their order." : "Vedä sovellusten kuvakkeita vaihtaaksesi niiden järjestystä.", 9 | "Force the default order for all users:" : "Pakota oletusjärjestys kaikille käyttäjille:", 10 | "If enabled, users will not be able to set a custom order." : "Jos käytössä, käyttäjät eivät voi asettaa omavalintaista järjestystä." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/fr.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordre des applications", 5 | "AppOrder" : "Ordre des apps", 6 | "Sort apps in the menu with drag and drop" : "Triez les applications dans le menu en les faisant glisser", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activez le tri des icônes d'application à partir des paramètres personnels. L'ordre sera enregistré individuellement pour chaque utilisateur. Les administrateurs peuvent définir un ordre par défaut personnalisé.\n\n## Définir un ordre par défaut pour tous les nouveaux utilisateurs\n\nAllez dans les Paramètres > Administration > Ordre des applications et faites glisser les icônes sous Ordre des applications.\n\n## Utiliser la première application comme application par défaut\n\nVous pouvez facilement laisser Nextcloud rediriger votre utilisateur vers la première application dans son ordre personnel en modifiant le paramètre suivant dans votre config/config.php :\n\n'defaultapp' => 'apporder',\n\nLes utilisateurs seront désormais redirigés vers la première application de l'ordre par défaut ou vers la première application de l'ordre de l'utilisateur.", 8 | "App Order" : "Ordre des applications", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Définir un ordre par défaut pour tous les utilisateurs. Il sera ignoré si l'utilisateur a défini un ordre personnalisé, et que l'ordre par défaut n'est pas forcé.", 10 | "Drag the app icons to change their order." : "Faites glisser les icônes des applications pour changer leur ordre.", 11 | "Force the default order for all users:" : "Forcer l'ordre par défaut pour tous les utilisateurs :", 12 | "If enabled, users will not be able to set a custom order." : "Si activé, les utilisateurs ne pourront plus définir un ordre personnalisé." 13 | }, 14 | "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 15 | -------------------------------------------------------------------------------- /l10n/fr.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordre des applications", 3 | "AppOrder" : "Ordre des apps", 4 | "Sort apps in the menu with drag and drop" : "Triez les applications dans le menu en les faisant glisser", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activez le tri des icônes d'application à partir des paramètres personnels. L'ordre sera enregistré individuellement pour chaque utilisateur. Les administrateurs peuvent définir un ordre par défaut personnalisé.\n\n## Définir un ordre par défaut pour tous les nouveaux utilisateurs\n\nAllez dans les Paramètres > Administration > Ordre des applications et faites glisser les icônes sous Ordre des applications.\n\n## Utiliser la première application comme application par défaut\n\nVous pouvez facilement laisser Nextcloud rediriger votre utilisateur vers la première application dans son ordre personnel en modifiant le paramètre suivant dans votre config/config.php :\n\n'defaultapp' => 'apporder',\n\nLes utilisateurs seront désormais redirigés vers la première application de l'ordre par défaut ou vers la première application de l'ordre de l'utilisateur.", 6 | "App Order" : "Ordre des applications", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Définir un ordre par défaut pour tous les utilisateurs. Il sera ignoré si l'utilisateur a défini un ordre personnalisé, et que l'ordre par défaut n'est pas forcé.", 8 | "Drag the app icons to change their order." : "Faites glisser les icônes des applications pour changer leur ordre.", 9 | "Force the default order for all users:" : "Forcer l'ordre par défaut pour tous les utilisateurs :", 10 | "If enabled, users will not be able to set a custom order." : "Si activé, les utilisateurs ne pourront plus définir un ordre personnalisé." 11 | },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 12 | } -------------------------------------------------------------------------------- /l10n/gl.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Orde das aplicacións", 5 | "AppOrder" : "Orde das aplicacións", 6 | "Sort apps in the menu with drag and drop" : "Ordenar aplicacións no menú arrastrando e soltando", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activa a ordenación das iconas das aplicacións dende os axustes persoais. A orde gardarase individualmente para cada usuario. Os administradores poden estabelecer unha orde personalizada predeterminada\n\n## Estabelecer unha orde predeterminada para todos os usuarios novos\n\nIr a Axustes > Administración > Axustes adicionais e arrastre as iconas baixo Orde das aplicacións.\n\n## Usar a primeira aplicación como aplicación predeterminada\n\nPode deixar que Nextcloud redireccione o seu usuario á primeira aplicación na orde persoal con moita facilidade, só ten que cambiar o seguinte parámetro no ficheiro config/config.php:\n\n 'defaultapp' => 'apporder',\n\nA partir de agora, os usuarios serán redirixidos cara á primeira aplicación na\norde predeterminada ou cara á primeira aplicación na orde do usuario.", 8 | "App Order" : "Orde das aplicacións", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Estabelece unha orde predeterminado para todos os usuarios. Isto ignorarase se o usuario tiver estabelecida unha orden personalizada e a orde predeterminada non estiver forzada.", 10 | "Drag the app icons to change their order." : "Arrastre as iconas das aplicacións para cambiar a orde.", 11 | "Force the default order for all users:" : "Forzar a orde predeterminada para todos os usuarios:", 12 | "If enabled, users will not be able to set a custom order." : "Se está activado, os usuarios non poderán configurar unha orde personalizada." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/gl.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Orde das aplicacións", 3 | "AppOrder" : "Orde das aplicacións", 4 | "Sort apps in the menu with drag and drop" : "Ordenar aplicacións no menú arrastrando e soltando", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Activa a ordenación das iconas das aplicacións dende os axustes persoais. A orde gardarase individualmente para cada usuario. Os administradores poden estabelecer unha orde personalizada predeterminada\n\n## Estabelecer unha orde predeterminada para todos os usuarios novos\n\nIr a Axustes > Administración > Axustes adicionais e arrastre as iconas baixo Orde das aplicacións.\n\n## Usar a primeira aplicación como aplicación predeterminada\n\nPode deixar que Nextcloud redireccione o seu usuario á primeira aplicación na orde persoal con moita facilidade, só ten que cambiar o seguinte parámetro no ficheiro config/config.php:\n\n 'defaultapp' => 'apporder',\n\nA partir de agora, os usuarios serán redirixidos cara á primeira aplicación na\norde predeterminada ou cara á primeira aplicación na orde do usuario.", 6 | "App Order" : "Orde das aplicacións", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Estabelece unha orde predeterminado para todos os usuarios. Isto ignorarase se o usuario tiver estabelecida unha orden personalizada e a orde predeterminada non estiver forzada.", 8 | "Drag the app icons to change their order." : "Arrastre as iconas das aplicacións para cambiar a orde.", 9 | "Force the default order for all users:" : "Forzar a orde predeterminada para todos os usuarios:", 10 | "If enabled, users will not be able to set a custom order." : "Se está activado, os usuarios non poderán configurar unha orde personalizada." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/he.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "סידור יישומונים", 5 | "AppOrder" : "סידור יישומונים", 6 | "Sort apps in the menu with drag and drop" : "סידור יישומונים בתפריט באמצעות גרירה", 7 | "App Order" : "סידור יישומונים", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "הגדרת סדר בררת המחדל לכל המשתמשים. ההגדרה הזאת לא תילקח בחשבון אם המשתמש הגדיר סדר משלו ולא נאכף סדר כבררת מחדל.", 9 | "Drag the app icons to change their order." : "יש לגרור את סמלי היישומונים כדי לשנות את הסדר שלהם.", 10 | "Force the default order for all users:" : "לאלץ את סדר בררת המחדל לכל המשתמשים:", 11 | "If enabled, users will not be able to set a custom order." : "אם האפשרות פעילה, המשתמשים לא יוכלו להחליף את הסדר." 12 | }, 13 | "nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;"); 14 | -------------------------------------------------------------------------------- /l10n/he.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "סידור יישומונים", 3 | "AppOrder" : "סידור יישומונים", 4 | "Sort apps in the menu with drag and drop" : "סידור יישומונים בתפריט באמצעות גרירה", 5 | "App Order" : "סידור יישומונים", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "הגדרת סדר בררת המחדל לכל המשתמשים. ההגדרה הזאת לא תילקח בחשבון אם המשתמש הגדיר סדר משלו ולא נאכף סדר כבררת מחדל.", 7 | "Drag the app icons to change their order." : "יש לגרור את סמלי היישומונים כדי לשנות את הסדר שלהם.", 8 | "Force the default order for all users:" : "לאלץ את סדר בררת המחדל לכל המשתמשים:", 9 | "If enabled, users will not be able to set a custom order." : "אם האפשרות פעילה, המשתמשים לא יוכלו להחליף את הסדר." 10 | },"pluralForm" :"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;" 11 | } -------------------------------------------------------------------------------- /l10n/hr.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Redoslijed aplikacija", 5 | "AppOrder" : "Redoslijed aplikacija", 6 | "Sort apps in the menu with drag and drop" : "Sortirajte aplikacije u izborniku povlačenjem i ispuštanjem", 7 | "App Order" : "Redoslijed aplikacija", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Postavite zadani poredak za sve korisnike. On će biti zanemaren ako je korisnik postavio prilagođeni poredak i zadani poredak nije nametnut.", 9 | "Drag the app icons to change their order." : "Povucite ikone aplikacija za promjenu redoslijeda.", 10 | "Force the default order for all users:" : "Nametnite zadani poredak za sve korisnike:", 11 | "If enabled, users will not be able to set a custom order." : "Ako je omogućeno, korisnici neće moći postaviti prilagođeni poredak." 12 | }, 13 | "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); 14 | -------------------------------------------------------------------------------- /l10n/hr.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Redoslijed aplikacija", 3 | "AppOrder" : "Redoslijed aplikacija", 4 | "Sort apps in the menu with drag and drop" : "Sortirajte aplikacije u izborniku povlačenjem i ispuštanjem", 5 | "App Order" : "Redoslijed aplikacija", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Postavite zadani poredak za sve korisnike. On će biti zanemaren ako je korisnik postavio prilagođeni poredak i zadani poredak nije nametnut.", 7 | "Drag the app icons to change their order." : "Povucite ikone aplikacija za promjenu redoslijeda.", 8 | "Force the default order for all users:" : "Nametnite zadani poredak za sve korisnike:", 9 | "If enabled, users will not be able to set a custom order." : "Ako je omogućeno, korisnici neće moći postaviti prilagođeni poredak." 10 | },"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;" 11 | } -------------------------------------------------------------------------------- /l10n/hu.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Alkalmazássorrend", 5 | "AppOrder" : "Alkalmazássorrend", 6 | "Sort apps in the menu with drag and drop" : "Rendezze az alkalmazásait fogd és vidd módszerrel", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Lehetővé teszi az alkalmazásikonok rendezését a személyes beállításokban. A sorrend felhasználóként külön lesz mentve.\nAz adminisztrátorok egyéni alapértelmezett sorrendet adhatnak meg.\n\n## Alapértelmezett sorrend megadása az összes felhasználónak\n\nUgorjon a Beállítások > Adminisztráció > További beállításokhoz, és húzza az ikonokat az alkalmazássorrend alatt.\n\n## Az első alkalmazás alapértelmezettként használata\n\nKönnyen beállítható, hogy a Nextcloud átirányítsa a felhasználót az első alkalmazásra a saját sorrendjében, a következő paraméter beállításával a config/config.php fájlban:\n\n 'defaultapp' => 'apporder',\n\nA felhasználók most már átirányításra kerülnek az alapértelmezett sorrend első alkalmazására, vagy az egyéni sorrendjük első alkalmazására.", 8 | "App Order" : "Alkalmazássorrend", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Alapértelmezett sorrend beállítása az összes felhasználónak. Ez figyelmen kívül lesz hagyva, ha a felhasználó egyéni sorrendet állít be, az alapértelmezett sorrend nincs kikényszerítve.", 10 | "Drag the app icons to change their order." : "Húzza az alkalmazásikonokat a sorrendjük megváltoztatásához.", 11 | "Force the default order for all users:" : "Az alapértelmezett sorrend kikényszerítése az összes felhasználónál:", 12 | "If enabled, users will not be able to set a custom order." : "Ha engedélyezett, akkor a felhasználók nem állíthatnak be egyéni sorrendet." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/hu.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Alkalmazássorrend", 3 | "AppOrder" : "Alkalmazássorrend", 4 | "Sort apps in the menu with drag and drop" : "Rendezze az alkalmazásait fogd és vidd módszerrel", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Lehetővé teszi az alkalmazásikonok rendezését a személyes beállításokban. A sorrend felhasználóként külön lesz mentve.\nAz adminisztrátorok egyéni alapértelmezett sorrendet adhatnak meg.\n\n## Alapértelmezett sorrend megadása az összes felhasználónak\n\nUgorjon a Beállítások > Adminisztráció > További beállításokhoz, és húzza az ikonokat az alkalmazássorrend alatt.\n\n## Az első alkalmazás alapértelmezettként használata\n\nKönnyen beállítható, hogy a Nextcloud átirányítsa a felhasználót az első alkalmazásra a saját sorrendjében, a következő paraméter beállításával a config/config.php fájlban:\n\n 'defaultapp' => 'apporder',\n\nA felhasználók most már átirányításra kerülnek az alapértelmezett sorrend első alkalmazására, vagy az egyéni sorrendjük első alkalmazására.", 6 | "App Order" : "Alkalmazássorrend", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Alapértelmezett sorrend beállítása az összes felhasználónak. Ez figyelmen kívül lesz hagyva, ha a felhasználó egyéni sorrendet állít be, az alapértelmezett sorrend nincs kikényszerítve.", 8 | "Drag the app icons to change their order." : "Húzza az alkalmazásikonokat a sorrendjük megváltoztatásához.", 9 | "Force the default order for all users:" : "Az alapértelmezett sorrend kikényszerítése az összes felhasználónál:", 10 | "If enabled, users will not be able to set a custom order." : "Ha engedélyezett, akkor a felhasználók nem állíthatnak be egyéni sorrendet." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/id.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Urutan Aplikasi", 5 | "AppOrder" : "UrutanAplikasi", 6 | "Sort apps in the menu with drag and drop" : "Mengurutkan aplikasi pada menu secara tarik lepas", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Aktifkan penyortiran ikon aplikasi dari pengaturan pribadi. Pesanan akan disimpan untuk setiap pengguna satu per satu. Administrator dapat menentukan urutan bawaan kustom.\n\n## Tetapkan urutan default untuk semua pengguna baru\n\nBuka Pengaturan > Administrasi > Pengaturan tambahan dan seret ikon di bawah Urutan aplikasi.\n\n## Gunakan aplikasi pertama sebagai aplikasi bawaan\n\nAnda dapat dengan mudah membiarkan Nextcloud mengarahkan pengguna Anda ke aplikasi pertama dalam urutan pribadi mereka dengan mengubah parameter berikut di config/config.php Anda:\n\n 'defaultapp' => 'apporder',\n\nPengguna sekarang akan dialihkan ke aplikasi pertama dari pesanan bawaan atau ke aplikasi pertama dari pesanan pengguna.", 8 | "App Order" : "Urutan Aplikasi", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Atur setelan umum bagi semua pengguna. Ini akan diabaikan, jika pengguna telah menyetel urutan khusus, maka setelan umum tidak digunakan.", 10 | "Drag the app icons to change their order." : "Tarik ikon aplikasi untuk mengubah urutan.", 11 | "Force the default order for all users:" : "Semua pengguna wajib menggunakan urutan umum.", 12 | "If enabled, users will not be able to set a custom order." : "Jika diaktifkan, pengguna tidak dapat menyetel urutan khusus." 13 | }, 14 | "nplurals=1; plural=0;"); 15 | -------------------------------------------------------------------------------- /l10n/id.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Urutan Aplikasi", 3 | "AppOrder" : "UrutanAplikasi", 4 | "Sort apps in the menu with drag and drop" : "Mengurutkan aplikasi pada menu secara tarik lepas", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Aktifkan penyortiran ikon aplikasi dari pengaturan pribadi. Pesanan akan disimpan untuk setiap pengguna satu per satu. Administrator dapat menentukan urutan bawaan kustom.\n\n## Tetapkan urutan default untuk semua pengguna baru\n\nBuka Pengaturan > Administrasi > Pengaturan tambahan dan seret ikon di bawah Urutan aplikasi.\n\n## Gunakan aplikasi pertama sebagai aplikasi bawaan\n\nAnda dapat dengan mudah membiarkan Nextcloud mengarahkan pengguna Anda ke aplikasi pertama dalam urutan pribadi mereka dengan mengubah parameter berikut di config/config.php Anda:\n\n 'defaultapp' => 'apporder',\n\nPengguna sekarang akan dialihkan ke aplikasi pertama dari pesanan bawaan atau ke aplikasi pertama dari pesanan pengguna.", 6 | "App Order" : "Urutan Aplikasi", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Atur setelan umum bagi semua pengguna. Ini akan diabaikan, jika pengguna telah menyetel urutan khusus, maka setelan umum tidak digunakan.", 8 | "Drag the app icons to change their order." : "Tarik ikon aplikasi untuk mengubah urutan.", 9 | "Force the default order for all users:" : "Semua pengguna wajib menggunakan urutan umum.", 10 | "If enabled, users will not be able to set a custom order." : "Jika diaktifkan, pengguna tidak dapat menyetel urutan khusus." 11 | },"pluralForm" :"nplurals=1; plural=0;" 12 | } -------------------------------------------------------------------------------- /l10n/is.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Röðun forrita", 5 | "AppOrder" : "RöðunForrita", 6 | "Sort apps in the menu with drag and drop" : "Raða forritum í valmynd með því að draga og sleppa", 7 | "App Order" : "Röðun forrita", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Settu sjálfgefna röðun fyrir alla notendur. Þetta verður hunsað ef notandinn hefur skilgreint sérsniðna röðun og ef sjálfgefin röðun er ekki þvinguð.", 9 | "Drag the app icons to change their order." : "Dragðu til táknmyndir forrita til að breyta röðun þeirra.", 10 | "Force the default order for all users:" : "Þvinga fram sjálfgefna röðun fyrir alla notendur:", 11 | "If enabled, users will not be able to set a custom order." : "Ef þetta er virkt, munu notendur ekki geta stillt sérsniðna röðun." 12 | }, 13 | "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); 14 | -------------------------------------------------------------------------------- /l10n/is.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Röðun forrita", 3 | "AppOrder" : "RöðunForrita", 4 | "Sort apps in the menu with drag and drop" : "Raða forritum í valmynd með því að draga og sleppa", 5 | "App Order" : "Röðun forrita", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Settu sjálfgefna röðun fyrir alla notendur. Þetta verður hunsað ef notandinn hefur skilgreint sérsniðna röðun og ef sjálfgefin röðun er ekki þvinguð.", 7 | "Drag the app icons to change their order." : "Dragðu til táknmyndir forrita til að breyta röðun þeirra.", 8 | "Force the default order for all users:" : "Þvinga fram sjálfgefna röðun fyrir alla notendur:", 9 | "If enabled, users will not be able to set a custom order." : "Ef þetta er virkt, munu notendur ekki geta stillt sérsniðna röðun." 10 | },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" 11 | } -------------------------------------------------------------------------------- /l10n/it.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordine applicazioni", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Ordina le applicazioni nel menu con il trascinamento e rilascio", 7 | "App Order" : "Ordine applicazioni", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Imposta un ordine predefinito per tutti gli utenti. Sarà ignorato se l'utente ha configurato un ordine personalizzato e l'ordine predefinito non è forzato.", 9 | "Drag the app icons to change their order." : "Trascina le icone delle applicazioni per cambiare il loro ordine.", 10 | "Force the default order for all users:" : "Forza l'ordine predefinito per tutti gli utenti:", 11 | "If enabled, users will not be able to set a custom order." : "Se abilitata, gli utenti non potranno impostare un ordine personalizzato." 12 | }, 13 | "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 14 | -------------------------------------------------------------------------------- /l10n/it.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordine applicazioni", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Ordina le applicazioni nel menu con il trascinamento e rilascio", 5 | "App Order" : "Ordine applicazioni", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Imposta un ordine predefinito per tutti gli utenti. Sarà ignorato se l'utente ha configurato un ordine personalizzato e l'ordine predefinito non è forzato.", 7 | "Drag the app icons to change their order." : "Trascina le icone delle applicazioni per cambiare il loro ordine.", 8 | "Force the default order for all users:" : "Forza l'ordine predefinito per tutti gli utenti:", 9 | "If enabled, users will not be able to set a custom order." : "Se abilitata, gli utenti non potranno impostare un ordine personalizzato." 10 | },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 11 | } -------------------------------------------------------------------------------- /l10n/ja.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "アプリ順番", 5 | "AppOrder" : "アプリオーダー", 6 | "Sort apps in the menu with drag and drop" : "ドラッグ&ドロップでメニュー内のアプリを並べ替える", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "個人設定からアプリアイコンの並べ替えを有効にします。 順序はそれぞれにユーザー毎に保存されます。管理者はカスタムのデフォルトの順序を定義できます。\n\n## すべての新規ユーザーにデフォルトの順番を設定する。\n\n管理者設定> その他の設定に移動して、App orderの下のアイコンをドラッグします。\n\n## 最初のアプリをデフォルトのアプリとして使う。\n\nconfig/config.phpに以下のパラメータを変更することで、Nextcloudに自分の個人的な順番でユーザーを最初のアプリにリダイレクトさせることができます。\n\n  'defaultapp' => 'apporder',\n\nユーザーはデフォルトの順番の最初のアプリまたはユーザーが指定した順番の最初のアプリにリダイレクトされます。", 8 | "App Order" : "アプリオーダー", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "すべてのユーザーのデフォルトの順序を設定します。 ユーザーがカスタムオーダーを設定している場合、デフォルトの順序は強制されません。", 10 | "Drag the app icons to change their order." : "アプリアイコンをドラッグして順序を変更します。", 11 | "Force the default order for all users:" : "デフォルトの順序を全ユーザーに強制します:", 12 | "If enabled, users will not be able to set a custom order." : "有効化するとユーザーはカスタムの順序を設定できなくなります。" 13 | }, 14 | "nplurals=1; plural=0;"); 15 | -------------------------------------------------------------------------------- /l10n/ja.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "アプリ順番", 3 | "AppOrder" : "アプリオーダー", 4 | "Sort apps in the menu with drag and drop" : "ドラッグ&ドロップでメニュー内のアプリを並べ替える", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "個人設定からアプリアイコンの並べ替えを有効にします。 順序はそれぞれにユーザー毎に保存されます。管理者はカスタムのデフォルトの順序を定義できます。\n\n## すべての新規ユーザーにデフォルトの順番を設定する。\n\n管理者設定> その他の設定に移動して、App orderの下のアイコンをドラッグします。\n\n## 最初のアプリをデフォルトのアプリとして使う。\n\nconfig/config.phpに以下のパラメータを変更することで、Nextcloudに自分の個人的な順番でユーザーを最初のアプリにリダイレクトさせることができます。\n\n  'defaultapp' => 'apporder',\n\nユーザーはデフォルトの順番の最初のアプリまたはユーザーが指定した順番の最初のアプリにリダイレクトされます。", 6 | "App Order" : "アプリオーダー", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "すべてのユーザーのデフォルトの順序を設定します。 ユーザーがカスタムオーダーを設定している場合、デフォルトの順序は強制されません。", 8 | "Drag the app icons to change their order." : "アプリアイコンをドラッグして順序を変更します。", 9 | "Force the default order for all users:" : "デフォルトの順序を全ユーザーに強制します:", 10 | "If enabled, users will not be able to set a custom order." : "有効化するとユーザーはカスタムの順序を設定できなくなります。" 11 | },"pluralForm" :"nplurals=1; plural=0;" 12 | } -------------------------------------------------------------------------------- /l10n/ka_GE.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "AppOrder" : "AppOrder", 5 | "App Order" : "აპლიკაციების განლაგება", 6 | "Drag the app icons to change their order." : "გადაიტანეთ აპლიკაციის პიქტოგრამები მათი გალაგების შესაცვლელად." 7 | }, 8 | "nplurals=2; plural=(n!=1);"); 9 | -------------------------------------------------------------------------------- /l10n/ka_GE.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "AppOrder" : "AppOrder", 3 | "App Order" : "აპლიკაციების განლაგება", 4 | "Drag the app icons to change their order." : "გადაიტანეთ აპლიკაციის პიქტოგრამები მათი გალაგების შესაცვლელად." 5 | },"pluralForm" :"nplurals=2; plural=(n!=1);" 6 | } -------------------------------------------------------------------------------- /l10n/ko.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "앱 순서", 5 | "AppOrder" : "앱 순서", 6 | "Sort apps in the menu with drag and drop" : "드래그 앤 드롭으로 메뉴에 있는 앱 정렬", 7 | "App Order" : "앱 순서", 8 | "Drag the app icons to change their order." : "앱 아이콘을 드래그해서 순서를 변경할 수 있습니다." 9 | }, 10 | "nplurals=1; plural=0;"); 11 | -------------------------------------------------------------------------------- /l10n/ko.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "앱 순서", 3 | "AppOrder" : "앱 순서", 4 | "Sort apps in the menu with drag and drop" : "드래그 앤 드롭으로 메뉴에 있는 앱 정렬", 5 | "App Order" : "앱 순서", 6 | "Drag the app icons to change their order." : "앱 아이콘을 드래그해서 순서를 변경할 수 있습니다." 7 | },"pluralForm" :"nplurals=1; plural=0;" 8 | } -------------------------------------------------------------------------------- /l10n/lo.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "ຈັດລຽງແອັບ", 5 | "AppOrder" : "ຈັດລຽງແອັບ", 6 | "Sort apps in the menu with drag and drop" : "ຈັດລຽງແອັບໃນເມນູໂດຍການດຶງຈັບວາງ", 7 | "App Order" : "ຈັດລຽງແອັບ", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "ກໍານົດຄໍາສັ່ງເລີ່ມຕົ້ນສໍາລັບຜູ້ໃຊ້ທັງຫມົດ. ແຕ່ວ່າຈະບໍ່ມີຜົນ ຖ້າຜູ້ໃຊ້ໄດ້ຕັ້ງຄໍາສັ່ງທີ່ກໍາຫນົດເອງແລ້ວ, ແລະຄໍາສັ່ງເລີ່ມຕົ້ນບໍ່ໄດ້ຖືກບັງຄັບ.", 9 | "Drag the app icons to change their order." : "ດຶງຍົກໄອຄັອນຂອງແອັບເພື່ອປຽນບ່ອນຈັດລຽງ", 10 | "Force the default order for all users:" : "ບັງຄັບໃຫ້ເປັນຄ່າເລີ່ມຕົ້ນສຳລັບຜູ້ໃຊ້ທຸກຄົນ", 11 | "If enabled, users will not be able to set a custom order." : "ຖ້າກຳນົດ, ຜູ້ໃຊ້ຈະບໍ່ສາມາດຈັດລຽງໄດ້ເອງ" 12 | }, 13 | "nplurals=1; plural=0;"); 14 | -------------------------------------------------------------------------------- /l10n/lo.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "ຈັດລຽງແອັບ", 3 | "AppOrder" : "ຈັດລຽງແອັບ", 4 | "Sort apps in the menu with drag and drop" : "ຈັດລຽງແອັບໃນເມນູໂດຍການດຶງຈັບວາງ", 5 | "App Order" : "ຈັດລຽງແອັບ", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "ກໍານົດຄໍາສັ່ງເລີ່ມຕົ້ນສໍາລັບຜູ້ໃຊ້ທັງຫມົດ. ແຕ່ວ່າຈະບໍ່ມີຜົນ ຖ້າຜູ້ໃຊ້ໄດ້ຕັ້ງຄໍາສັ່ງທີ່ກໍາຫນົດເອງແລ້ວ, ແລະຄໍາສັ່ງເລີ່ມຕົ້ນບໍ່ໄດ້ຖືກບັງຄັບ.", 7 | "Drag the app icons to change their order." : "ດຶງຍົກໄອຄັອນຂອງແອັບເພື່ອປຽນບ່ອນຈັດລຽງ", 8 | "Force the default order for all users:" : "ບັງຄັບໃຫ້ເປັນຄ່າເລີ່ມຕົ້ນສຳລັບຜູ້ໃຊ້ທຸກຄົນ", 9 | "If enabled, users will not be able to set a custom order." : "ຖ້າກຳນົດ, ຜູ້ໃຊ້ຈະບໍ່ສາມາດຈັດລຽງໄດ້ເອງ" 10 | },"pluralForm" :"nplurals=1; plural=0;" 11 | } -------------------------------------------------------------------------------- /l10n/lt_LT.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Programėlių tvarka", 5 | "AppOrder" : "Programėlių išdėstymo tvarka", 6 | "Sort apps in the menu with drag and drop" : "Velkant rikiuoti meniu esančias programėles", 7 | "App Order" : "Programėlių tvarka", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nustatyti numatytąją tvarką visiems naudotojams. Jos bus nepaisoma, jei naudotojas yra nusistatęs pasirinktinę tvarką, o numatytoji tvarka nėra priverstinė.", 9 | "Drag the app icons to change their order." : "Norėdami keisti programėlių tvarką, vilkite jų piktogramas.", 10 | "Force the default order for all users:" : "Priverstinai taikyti numatytąją tvarką visiems naudotojams:", 11 | "If enabled, users will not be able to set a custom order." : "Jei įjungta, naudotojai negalės nusistatyti pasirinktinės tvarkos." 12 | }, 13 | "nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);"); 14 | -------------------------------------------------------------------------------- /l10n/lt_LT.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Programėlių tvarka", 3 | "AppOrder" : "Programėlių išdėstymo tvarka", 4 | "Sort apps in the menu with drag and drop" : "Velkant rikiuoti meniu esančias programėles", 5 | "App Order" : "Programėlių tvarka", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nustatyti numatytąją tvarką visiems naudotojams. Jos bus nepaisoma, jei naudotojas yra nusistatęs pasirinktinę tvarką, o numatytoji tvarka nėra priverstinė.", 7 | "Drag the app icons to change their order." : "Norėdami keisti programėlių tvarką, vilkite jų piktogramas.", 8 | "Force the default order for all users:" : "Priverstinai taikyti numatytąją tvarką visiems naudotojams:", 9 | "If enabled, users will not be able to set a custom order." : "Jei įjungta, naudotojai negalės nusistatyti pasirinktinės tvarkos." 10 | },"pluralForm" :"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);" 11 | } -------------------------------------------------------------------------------- /l10n/lv.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Lietotņu izkārtojums", 5 | "AppOrder" : "Lietotņu izkārtojums", 6 | "Sort apps in the menu with drag and drop" : "Sakārto lietotnes lietotņu logā pārvelkot un nometot", 7 | "App Order" : "Lietotņu izkārtojums", 8 | "Drag the app icons to change their order." : "Pārvelc lietotņu ikonas, lai mainītu to izkārtojumu." 9 | }, 10 | "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); 11 | -------------------------------------------------------------------------------- /l10n/lv.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Lietotņu izkārtojums", 3 | "AppOrder" : "Lietotņu izkārtojums", 4 | "Sort apps in the menu with drag and drop" : "Sakārto lietotnes lietotņu logā pārvelkot un nometot", 5 | "App Order" : "Lietotņu izkārtojums", 6 | "Drag the app icons to change their order." : "Pārvelc lietotņu ikonas, lai mainītu to izkārtojumu." 7 | },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" 8 | } -------------------------------------------------------------------------------- /l10n/nb.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App-rekkefølge", 5 | "AppOrder" : "App-rekkefølge", 6 | "Sort apps in the menu with drag and drop" : "Sorter apper i menyen med dra og slipp", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Aktiver sortering av appikonene fra de personlige innstillingene. Bestillingen vil bli lagret for hver bruker individuelt. Administratorer kan definere en egendefinert standardrekkefølge.\n\n## Angi en standardrekkefølge for alle nye brukere\n\nGå til Innstillinger > Administrasjon > Tilleggsinnstillinger og dra ikonene under App-rekkefølge.\n\n## Bruk den første appen som standardapp\n\nDu kan enkelt la Nextcloud omdirigere brukeren din til den første appen i deres personlige rekkefølge ved å endre følgende parameter i config/config.php:\n\n'defaultapp' => 'apporder',\n\nBrukere vil nå bli omdirigert til den første appen i standardrekkefølgen eller til den første appen i brukerordren.", 8 | "App Order" : "App-rekkefølge", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Angi en standardrekkefølge for alle brukere. Dette vil bli ignorert hvis brukeren har satt opp en tilpasset ordre, og standardrekkefølgen ikke blir tvunget.", 10 | "Drag the app icons to change their order." : "Dra og slipp app ikonene for å endre rekkefølgen.", 11 | "Force the default order for all users:" : "Tving standardrekkefølgen for alle brukere:", 12 | "If enabled, users will not be able to set a custom order." : "Hvis aktivert, vil ikke brukere kunne angi en tilpasset rekkefølge." 13 | }, 14 | "nplurals=2; plural=(n != 1);"); 15 | -------------------------------------------------------------------------------- /l10n/nb.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App-rekkefølge", 3 | "AppOrder" : "App-rekkefølge", 4 | "Sort apps in the menu with drag and drop" : "Sorter apper i menyen med dra og slipp", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Aktiver sortering av appikonene fra de personlige innstillingene. Bestillingen vil bli lagret for hver bruker individuelt. Administratorer kan definere en egendefinert standardrekkefølge.\n\n## Angi en standardrekkefølge for alle nye brukere\n\nGå til Innstillinger > Administrasjon > Tilleggsinnstillinger og dra ikonene under App-rekkefølge.\n\n## Bruk den første appen som standardapp\n\nDu kan enkelt la Nextcloud omdirigere brukeren din til den første appen i deres personlige rekkefølge ved å endre følgende parameter i config/config.php:\n\n'defaultapp' => 'apporder',\n\nBrukere vil nå bli omdirigert til den første appen i standardrekkefølgen eller til den første appen i brukerordren.", 6 | "App Order" : "App-rekkefølge", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Angi en standardrekkefølge for alle brukere. Dette vil bli ignorert hvis brukeren har satt opp en tilpasset ordre, og standardrekkefølgen ikke blir tvunget.", 8 | "Drag the app icons to change their order." : "Dra og slipp app ikonene for å endre rekkefølgen.", 9 | "Force the default order for all users:" : "Tving standardrekkefølgen for alle brukere:", 10 | "If enabled, users will not be able to set a custom order." : "Hvis aktivert, vil ikke brukere kunne angi en tilpasset rekkefølge." 11 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 12 | } -------------------------------------------------------------------------------- /l10n/nl.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App Volgorde", 5 | "AppOrder" : "AppVolgorde", 6 | "Sort apps in the menu with drag and drop" : "Sorteert apps in het menu met slepen", 7 | "App Order" : "App Volgorde", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Stel een standaard volgorde in voor alle gebruikers. Dit zal genegeerd worden indien de gebruiker een aangepaste volgorde heeft ingesteld en de standaard volgorde is niet geforceerd.", 9 | "Drag the app icons to change their order." : "Sleep de app iconen om hun volgorde te wijzigen.", 10 | "Force the default order for all users:" : "Forceer de standaard volgorde voor alle gebruikers:", 11 | "If enabled, users will not be able to set a custom order." : "Als dit ingesteld is, kunnen gebruikers niet meer een aangepaste volgorde instellen." 12 | }, 13 | "nplurals=2; plural=(n != 1);"); 14 | -------------------------------------------------------------------------------- /l10n/nl.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App Volgorde", 3 | "AppOrder" : "AppVolgorde", 4 | "Sort apps in the menu with drag and drop" : "Sorteert apps in het menu met slepen", 5 | "App Order" : "App Volgorde", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Stel een standaard volgorde in voor alle gebruikers. Dit zal genegeerd worden indien de gebruiker een aangepaste volgorde heeft ingesteld en de standaard volgorde is niet geforceerd.", 7 | "Drag the app icons to change their order." : "Sleep de app iconen om hun volgorde te wijzigen.", 8 | "Force the default order for all users:" : "Forceer de standaard volgorde voor alle gebruikers:", 9 | "If enabled, users will not be able to set a custom order." : "Als dit ingesteld is, kunnen gebruikers niet meer een aangepaste volgorde instellen." 10 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 11 | } -------------------------------------------------------------------------------- /l10n/nn_NO.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "App-rekkefølgje", 5 | "AppOrder" : "AppRekkjefølgje", 6 | "Sort apps in the menu with drag and drop" : "Sorter appar i menyen med dra og slepp", 7 | "App Order" : "App-rekkjefølgje", 8 | "Drag the app icons to change their order." : "Dra applikasjons ikona for å endre rekkjefølgja" 9 | }, 10 | "nplurals=2; plural=(n != 1);"); 11 | -------------------------------------------------------------------------------- /l10n/nn_NO.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "App-rekkefølgje", 3 | "AppOrder" : "AppRekkjefølgje", 4 | "Sort apps in the menu with drag and drop" : "Sorter appar i menyen med dra og slepp", 5 | "App Order" : "App-rekkjefølgje", 6 | "Drag the app icons to change their order." : "Dra applikasjons ikona for å endre rekkjefølgja" 7 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 8 | } -------------------------------------------------------------------------------- /l10n/pl.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Kolejność aplikacji", 5 | "AppOrder" : "Kolejność aplikacji", 6 | "Sort apps in the menu with drag and drop" : "Ustaw kolejność wyświetlania aplikacji metodą przeciągnij i upuść", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Włącz sortowanie ikon aplikacji w ustawieniach osobistych. Kolejność ikon zostanie zachowana dla każdego użytkownika indywidualnie. Administratorzy mogą zdefiniować domyślną kolejność.\n\n## Ustaw domyślną kolejność dla wszystkich nowych użytkowników\n\nPrzejdź do Ustawienia > Administracja > Ustawienia dodatkowe i przeciągnij ikony aplikacji aby zmienić ich kolejność\n\n## Użyj pierwszej aplikacji jako aplikacji domyślnej\n\nMożesz pozwolić Nextcloud na przekierowanie użytkownika do pierwszej aplikacji w wybranej przez niego kolejności, zmieniając następujący parametr w config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUżytkownicy zostaną teraz przekierowani do pierwszej aplikacji z kolejności domyślnej lub do pierwszej aplikacji wybranej przez użytkownika.", 8 | "App Order" : "Kolejność aplikacji", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ustaw domyślną kolejność aplikacji dla wszystkich użytkowników. Opcja będzie zignorowana jeśli użytkownik ustali własną kolejność, chyba że kolejność domyślna jest wymuszona.", 10 | "Drag the app icons to change their order." : "Przeciągnij ikony aplikacji, aby zmienić ich kolejność.", 11 | "Force the default order for all users:" : "Wymuś domyślną kolejność dla wszystkich użytkowników:", 12 | "If enabled, users will not be able to set a custom order." : "Jeśli ta opcja jest włączona, użytkownicy nie będą mogli ustawić własnej kolejności." 13 | }, 14 | "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); 15 | -------------------------------------------------------------------------------- /l10n/pl.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Kolejność aplikacji", 3 | "AppOrder" : "Kolejność aplikacji", 4 | "Sort apps in the menu with drag and drop" : "Ustaw kolejność wyświetlania aplikacji metodą przeciągnij i upuść", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Włącz sortowanie ikon aplikacji w ustawieniach osobistych. Kolejność ikon zostanie zachowana dla każdego użytkownika indywidualnie. Administratorzy mogą zdefiniować domyślną kolejność.\n\n## Ustaw domyślną kolejność dla wszystkich nowych użytkowników\n\nPrzejdź do Ustawienia > Administracja > Ustawienia dodatkowe i przeciągnij ikony aplikacji aby zmienić ich kolejność\n\n## Użyj pierwszej aplikacji jako aplikacji domyślnej\n\nMożesz pozwolić Nextcloud na przekierowanie użytkownika do pierwszej aplikacji w wybranej przez niego kolejności, zmieniając następujący parametr w config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUżytkownicy zostaną teraz przekierowani do pierwszej aplikacji z kolejności domyślnej lub do pierwszej aplikacji wybranej przez użytkownika.", 6 | "App Order" : "Kolejność aplikacji", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Ustaw domyślną kolejność aplikacji dla wszystkich użytkowników. Opcja będzie zignorowana jeśli użytkownik ustali własną kolejność, chyba że kolejność domyślna jest wymuszona.", 8 | "Drag the app icons to change their order." : "Przeciągnij ikony aplikacji, aby zmienić ich kolejność.", 9 | "Force the default order for all users:" : "Wymuś domyślną kolejność dla wszystkich użytkowników:", 10 | "If enabled, users will not be able to set a custom order." : "Jeśli ta opcja jest włączona, użytkownicy nie będą mogli ustawić własnej kolejności." 11 | },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" 12 | } -------------------------------------------------------------------------------- /l10n/pt_BR.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordem de aplicativos", 5 | "AppOrder" : "Ordem de aplicativos", 6 | "Sort apps in the menu with drag and drop" : "Ordene os aplicativos no menu com arrastar e soltar", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Habilite a classificação dos ícones do aplicativo nas configurações pessoais. O pedido será salvo para cada usuário individualmente. Os administradores podem definir um pedido padrão personalizado.\n\n## Defina um pedido padrão para todos os novos usuários\n\nVá para Configurações > Administração > Configurações adicionais e arraste os ícones em Ordem do aplicativo.\n\n## Use o primeiro aplicativo como aplicativo padrão\n\nVocê pode facilmente permitir que o Nextcloud redirecione seu usuário para o primeiro aplicativo em seu pedido pessoal alterando o seguinte parâmetro em seu config/config.php:\n\n'defaultapp' => 'aplicativo',\n\nOs usuários agora serão redirecionados para o primeiro aplicativo do pedido padrão ou para o primeiro aplicativo do pedido do usuário.", 8 | "App Order" : "Ordem de Aplicativos", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Defina uma ordem padrão para todos os usuários. Isto será ignorado se o usuário configurar uma ordem personalizada.", 10 | "Drag the app icons to change their order." : "Arraste os ícones dos aplicativos para mudar a ordem.", 11 | "Force the default order for all users:" : "Forçar a ordem predefinida para todos os usuários:", 12 | "If enabled, users will not be able to set a custom order." : "Se habilitado, os usuários não poderão personalizar a ordem dos aplicativos." 13 | }, 14 | "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 15 | -------------------------------------------------------------------------------- /l10n/pt_BR.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordem de aplicativos", 3 | "AppOrder" : "Ordem de aplicativos", 4 | "Sort apps in the menu with drag and drop" : "Ordene os aplicativos no menu com arrastar e soltar", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Habilite a classificação dos ícones do aplicativo nas configurações pessoais. O pedido será salvo para cada usuário individualmente. Os administradores podem definir um pedido padrão personalizado.\n\n## Defina um pedido padrão para todos os novos usuários\n\nVá para Configurações > Administração > Configurações adicionais e arraste os ícones em Ordem do aplicativo.\n\n## Use o primeiro aplicativo como aplicativo padrão\n\nVocê pode facilmente permitir que o Nextcloud redirecione seu usuário para o primeiro aplicativo em seu pedido pessoal alterando o seguinte parâmetro em seu config/config.php:\n\n'defaultapp' => 'aplicativo',\n\nOs usuários agora serão redirecionados para o primeiro aplicativo do pedido padrão ou para o primeiro aplicativo do pedido do usuário.", 6 | "App Order" : "Ordem de Aplicativos", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Defina uma ordem padrão para todos os usuários. Isto será ignorado se o usuário configurar uma ordem personalizada.", 8 | "Drag the app icons to change their order." : "Arraste os ícones dos aplicativos para mudar a ordem.", 9 | "Force the default order for all users:" : "Forçar a ordem predefinida para todos os usuários:", 10 | "If enabled, users will not be able to set a custom order." : "Se habilitado, os usuários não poderão personalizar a ordem dos aplicativos." 11 | },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 12 | } -------------------------------------------------------------------------------- /l10n/pt_PT.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordenação da aplicação", 5 | "AppOrder" : "OrdenaçãoAplicação", 6 | "Sort apps in the menu with drag and drop" : "Ordene as aplicações no menu com arrastar e largar", 7 | "App Order" : "Ordenação de Aplicação", 8 | "Drag the app icons to change their order." : "Arraste os ícones da aplicação para alterar a sua ordem." 9 | }, 10 | "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); 11 | -------------------------------------------------------------------------------- /l10n/pt_PT.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordenação da aplicação", 3 | "AppOrder" : "OrdenaçãoAplicação", 4 | "Sort apps in the menu with drag and drop" : "Ordene as aplicações no menu com arrastar e largar", 5 | "App Order" : "Ordenação de Aplicação", 6 | "Drag the app icons to change their order." : "Arraste os ícones da aplicação para alterar a sua ordem." 7 | },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" 8 | } -------------------------------------------------------------------------------- /l10n/ro.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Ordine aplicații", 5 | "AppOrder" : "Ordine aplicații", 6 | "Sort apps in the menu with drag and drop" : "Ordonează aplicațiile în meniu trăgând și plasând", 7 | "App Order" : "Ordine Aplicații", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Setați o comandă implicită pentru toți utilizatorii. Acest lucru va fi ignorat, dacă utilizatorul a configurat o comandă personalizată, iar comanda implicită nu este forțată.", 9 | "Drag the app icons to change their order." : "Trage de pictogramele aplicațiilor pentru a le schimba ordinea.", 10 | "Force the default order for all users:" : "Forțează comanda implicită pentru toți utilizatorii:", 11 | "If enabled, users will not be able to set a custom order." : "Dacă este activată, utilizatorii nu vor putea seta o comandă personalizată." 12 | }, 13 | "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); 14 | -------------------------------------------------------------------------------- /l10n/ro.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Ordine aplicații", 3 | "AppOrder" : "Ordine aplicații", 4 | "Sort apps in the menu with drag and drop" : "Ordonează aplicațiile în meniu trăgând și plasând", 5 | "App Order" : "Ordine Aplicații", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Setați o comandă implicită pentru toți utilizatorii. Acest lucru va fi ignorat, dacă utilizatorul a configurat o comandă personalizată, iar comanda implicită nu este forțată.", 7 | "Drag the app icons to change their order." : "Trage de pictogramele aplicațiilor pentru a le schimba ordinea.", 8 | "Force the default order for all users:" : "Forțează comanda implicită pentru toți utilizatorii:", 9 | "If enabled, users will not be able to set a custom order." : "Dacă este activată, utilizatorii nu vor putea seta o comandă personalizată." 10 | },"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" 11 | } -------------------------------------------------------------------------------- /l10n/ru.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Порядок приложений", 5 | "AppOrder" : "Порядок приложений", 6 | "Sort apps in the menu with drag and drop" : "Сортируйте приложения с помощью перетаскивания", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Включите сортировку иконок приложений в личных настройках. Порядок будет сохранен для каждого пользователя отдельно. Администраторы могут определять пользовательский список по умолчанию.\n\n## Установить порядок по умолчанию для всех новых пользователей.\nПерейти к Настройки администратора > Дополнительные параметры и перетащить значки в разделе «Список приложений».\n\n## Использовать первое приложение в качестве приложения по умолчанию\n\nВы можете легко позволить Nextcloud перенаправить пользователя на первое приложение в своем личном списке, изменив следующий параметр в вашем config/config.php:\n\n 'defaultapp' => 'apporder',\n\nТеперь пользователи будут перенаправлены на первое приложение по умолчанию или в первое приложение в пользовательском списке.", 8 | "App Order" : "Порядок приложений", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Задаёт для всех пользователей порядок приложений по умолчанию. Не распространяется на пользователей, которые самостоятельно задали порядок приложений при отключённом параметре «принудительно использовать заданный порядок приложений».", 10 | "Drag the app icons to change their order." : "Перемещайте значки приложений для изменения порядка их следования.", 11 | "Force the default order for all users:" : "Принудительно использовать заданный порядок приложений для всех пользователей:", 12 | "If enabled, users will not be able to set a custom order." : "При включении этого параметра пользователи не смогут задавать свой порядок приложений." 13 | }, 14 | "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); 15 | -------------------------------------------------------------------------------- /l10n/ru.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Порядок приложений", 3 | "AppOrder" : "Порядок приложений", 4 | "Sort apps in the menu with drag and drop" : "Сортируйте приложения с помощью перетаскивания", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Включите сортировку иконок приложений в личных настройках. Порядок будет сохранен для каждого пользователя отдельно. Администраторы могут определять пользовательский список по умолчанию.\n\n## Установить порядок по умолчанию для всех новых пользователей.\nПерейти к Настройки администратора > Дополнительные параметры и перетащить значки в разделе «Список приложений».\n\n## Использовать первое приложение в качестве приложения по умолчанию\n\nВы можете легко позволить Nextcloud перенаправить пользователя на первое приложение в своем личном списке, изменив следующий параметр в вашем config/config.php:\n\n 'defaultapp' => 'apporder',\n\nТеперь пользователи будут перенаправлены на первое приложение по умолчанию или в первое приложение в пользовательском списке.", 6 | "App Order" : "Порядок приложений", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Задаёт для всех пользователей порядок приложений по умолчанию. Не распространяется на пользователей, которые самостоятельно задали порядок приложений при отключённом параметре «принудительно использовать заданный порядок приложений».", 8 | "Drag the app icons to change their order." : "Перемещайте значки приложений для изменения порядка их следования.", 9 | "Force the default order for all users:" : "Принудительно использовать заданный порядок приложений для всех пользователей:", 10 | "If enabled, users will not be able to set a custom order." : "При включении этого параметра пользователи не смогут задавать свой порядок приложений." 11 | },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" 12 | } -------------------------------------------------------------------------------- /l10n/sc.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Òrdine de is aplicatziones", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Òrdina is aplicatziones in su menu trisinende.ddos", 7 | "App Order" : "App Order", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Imposta un'òrdine predefinidu pro totu is utentes. No s'at a fàghere chi s'utente at impostadu un'òrdine personalizadu, e s'òrdine predefinidu no est netzessàriu.", 9 | "Drag the app icons to change their order." : "Trìsina is iconas de is aplicatziones pro ddis cambiare s'òrdine.", 10 | "Force the default order for all users:" : "Impone s'òrdine predefinidu pro totu is utentes:", 11 | "If enabled, users will not be able to set a custom order." : "Si est ativadu, is utentes non ant a pòdere impostare un'òrdine personalizadu." 12 | }, 13 | "nplurals=2; plural=(n != 1);"); 14 | -------------------------------------------------------------------------------- /l10n/sc.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Òrdine de is aplicatziones", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Òrdina is aplicatziones in su menu trisinende.ddos", 5 | "App Order" : "App Order", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Imposta un'òrdine predefinidu pro totu is utentes. No s'at a fàghere chi s'utente at impostadu un'òrdine personalizadu, e s'òrdine predefinidu no est netzessàriu.", 7 | "Drag the app icons to change their order." : "Trìsina is iconas de is aplicatziones pro ddis cambiare s'òrdine.", 8 | "Force the default order for all users:" : "Impone s'òrdine predefinidu pro totu is utentes:", 9 | "If enabled, users will not be able to set a custom order." : "Si est ativadu, is utentes non ant a pòdere impostare un'òrdine personalizadu." 10 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 11 | } -------------------------------------------------------------------------------- /l10n/sk.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Zoradenie aplikácií", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Poradie aplikácií v ponuke je možné meniť potiahnutím", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Umožňuje zoradenie ikon aplikácií prostredníctvom osobných nastavení. Poradie sa uloží pre každého užívateľa zvlášť. Správcovia môžu určiť predvolené poradie ikon.\n\n## Nastavenie predvoleného poradia ikon pre nových používateľov\n\nChoďte do Nastavenia > Správa > Ďalšie nastavenia a v sekcii Poradie aplikácií popreťahujte ikony do vami zvoleného poradia.\n\n## Použitie prvej aplikácie ako predvolené\n\nPoužívateľa môžete jednoducho presmerovať na prvú aplikáciu v poradí tým, že zmeníte nasledujúci parameter v súbore config/config.php:\n\n'defaultapp' => 'apporder',\n\nPoužívatelia teraz budú automaticky presmerovaní na prvú aplikáciu predvoleného resp. im nastaveného poradia.", 8 | "App Order" : "Zoradenie aplikácií", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastaviť predvolenú objednávku pre všetkých používateľov. Toto bude ignorované, ak má užívateľ nastavenú vlastnú objednávku a predvolená objednávka nie je vynútená.", 10 | "Drag the app icons to change their order." : "Presuňte ikony aplikácií a zmeňte ich poradie.", 11 | "Force the default order for all users:" : "Vynútiť predvolenú objednávku pre všetkých používateľov:", 12 | "If enabled, users will not be able to set a custom order." : "Ak je povolená, používatelia nebudú môcť nastaviť vlastnú objednávku." 13 | }, 14 | "nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"); 15 | -------------------------------------------------------------------------------- /l10n/sk.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Zoradenie aplikácií", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Poradie aplikácií v ponuke je možné meniť potiahnutím", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Umožňuje zoradenie ikon aplikácií prostredníctvom osobných nastavení. Poradie sa uloží pre každého užívateľa zvlášť. Správcovia môžu určiť predvolené poradie ikon.\n\n## Nastavenie predvoleného poradia ikon pre nových používateľov\n\nChoďte do Nastavenia > Správa > Ďalšie nastavenia a v sekcii Poradie aplikácií popreťahujte ikony do vami zvoleného poradia.\n\n## Použitie prvej aplikácie ako predvolené\n\nPoužívateľa môžete jednoducho presmerovať na prvú aplikáciu v poradí tým, že zmeníte nasledujúci parameter v súbore config/config.php:\n\n'defaultapp' => 'apporder',\n\nPoužívatelia teraz budú automaticky presmerovaní na prvú aplikáciu predvoleného resp. im nastaveného poradia.", 6 | "App Order" : "Zoradenie aplikácií", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastaviť predvolenú objednávku pre všetkých používateľov. Toto bude ignorované, ak má užívateľ nastavenú vlastnú objednávku a predvolená objednávka nie je vynútená.", 8 | "Drag the app icons to change their order." : "Presuňte ikony aplikácií a zmeňte ich poradie.", 9 | "Force the default order for all users:" : "Vynútiť predvolenú objednávku pre všetkých používateľov:", 10 | "If enabled, users will not be able to set a custom order." : "Ak je povolená, používatelia nebudú môcť nastaviť vlastnú objednávku." 11 | },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);" 12 | } -------------------------------------------------------------------------------- /l10n/sl.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Razvrščevalnik menija", 5 | "AppOrder" : "Razvrščevalnik AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Enostavno razvrščanje in urejanje prikaza programov v menijski vrstici", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Program omogoča razvrščanje ikon v menijski vrstici, možnosti pa so zbrane med osebnimi nastavitvami. Vrstni red se shrani za vsakega uporabnika posebej,\nskrbniki pa lahko določajo poseben vrstni red.\n\n## Nastavitev privzetega vrstnega reda za vse uporabnike\n\nMed skrbniškimi nastavitvami > Dodatne nastavitve je na voljo seznam, ki ga je mogoče razvrstiti.\n\n## Uporabi prvi program kot privzeti\n\nPreusmerjanje uporabnikov na prvi program v razvrstitvi po meri je mogoče določiti s spreminjanjem parametrov v datoteki config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUporabniki bodo preusmerjeni na prvi program v privzeti\noziroma prvi program v uporabniški razvrstitvi.", 8 | "App Order" : "Razvrščevalnik App Order", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastavi privzeto razvrstitev za vse uporabnike. Spremembe se pri uporabnikih ne izrazijo, če si menije sami preuredijo po meri oziroma če razvrstitev ni vsiljena.", 10 | "Drag the app icons to change their order." : "S potegom predmeta je mogoče spreminjati vrstni red programov v menijski vrstici.", 11 | "Force the default order for all users:" : "Vsili privzeti vrstni red za vse uporabnike:", 12 | "If enabled, users will not be able to set a custom order." : "Izbrana možnost onemogoča uporabniku prilagajanje razvrstitve po meri." 13 | }, 14 | "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); 15 | -------------------------------------------------------------------------------- /l10n/sl.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Razvrščevalnik menija", 3 | "AppOrder" : "Razvrščevalnik AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Enostavno razvrščanje in urejanje prikaza programov v menijski vrstici", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Program omogoča razvrščanje ikon v menijski vrstici, možnosti pa so zbrane med osebnimi nastavitvami. Vrstni red se shrani za vsakega uporabnika posebej,\nskrbniki pa lahko določajo poseben vrstni red.\n\n## Nastavitev privzetega vrstnega reda za vse uporabnike\n\nMed skrbniškimi nastavitvami > Dodatne nastavitve je na voljo seznam, ki ga je mogoče razvrstiti.\n\n## Uporabi prvi program kot privzeti\n\nPreusmerjanje uporabnikov na prvi program v razvrstitvi po meri je mogoče določiti s spreminjanjem parametrov v datoteki config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUporabniki bodo preusmerjeni na prvi program v privzeti\noziroma prvi program v uporabniški razvrstitvi.", 6 | "App Order" : "Razvrščevalnik App Order", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Nastavi privzeto razvrstitev za vse uporabnike. Spremembe se pri uporabnikih ne izrazijo, če si menije sami preuredijo po meri oziroma če razvrstitev ni vsiljena.", 8 | "Drag the app icons to change their order." : "S potegom predmeta je mogoče spreminjati vrstni red programov v menijski vrstici.", 9 | "Force the default order for all users:" : "Vsili privzeti vrstni red za vse uporabnike:", 10 | "If enabled, users will not be able to set a custom order." : "Izbrana možnost onemogoča uporabniku prilagajanje razvrstitve po meri." 11 | },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" 12 | } -------------------------------------------------------------------------------- /l10n/sr.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Распоред апликација", 5 | "AppOrder" : "Распоред", 6 | "Sort apps in the menu with drag and drop" : "Мењање распореда апликација у менију превлачењем", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Укључује сортирање икона апликација из личних подешавања. Редослед се чува за сваког корисника посебно. Администратори могу да дефинишу прилагођени редослед сортирања.\n\n## Постављање подразумеваног редоследа за све нове кориснике\n\nИдите на Подешавања > Администрација > Додатна подешавања и превуците иконе под Редослед апликација.\n\n## Коришћење прве апликације као подразумеване\n\nМожете једноставно омогућити да Nextcloud преусмери вашег корисника на прву апликацију у његовом личном редоследу тако што у config/config.php измените следећи параметар:\n\n 'defaultapp' => 'apporder',\n\nСада ће се корисници преусмеравати на прву апликацију подразумеваног редоследа, или на прву апликацију у корисничком редоследу.", 8 | "App Order" : "Распоред апликација", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Поставите подразумевани распоред за све кориснике. Ово ће бити занемарено ако корисник има свој распоред а подразумевани распоред није наметнут.", 10 | "Drag the app icons to change their order." : "Превлачите иконе апликација да промените распоред.", 11 | "Force the default order for all users:" : "Наметни подразумевани распоред свим корисницима:", 12 | "If enabled, users will not be able to set a custom order." : "Ако је укључено, корисници неће моћи да поставе посебан распоред." 13 | }, 14 | "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); 15 | -------------------------------------------------------------------------------- /l10n/sr.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Распоред апликација", 3 | "AppOrder" : "Распоред", 4 | "Sort apps in the menu with drag and drop" : "Мењање распореда апликација у менију превлачењем", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Укључује сортирање икона апликација из личних подешавања. Редослед се чува за сваког корисника посебно. Администратори могу да дефинишу прилагођени редослед сортирања.\n\n## Постављање подразумеваног редоследа за све нове кориснике\n\nИдите на Подешавања > Администрација > Додатна подешавања и превуците иконе под Редослед апликација.\n\n## Коришћење прве апликације као подразумеване\n\nМожете једноставно омогућити да Nextcloud преусмери вашег корисника на прву апликацију у његовом личном редоследу тако што у config/config.php измените следећи параметар:\n\n 'defaultapp' => 'apporder',\n\nСада ће се корисници преусмеравати на прву апликацију подразумеваног редоследа, или на прву апликацију у корисничком редоследу.", 6 | "App Order" : "Распоред апликација", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Поставите подразумевани распоред за све кориснике. Ово ће бити занемарено ако корисник има свој распоред а подразумевани распоред није наметнут.", 8 | "Drag the app icons to change their order." : "Превлачите иконе апликација да промените распоред.", 9 | "Force the default order for all users:" : "Наметни подразумевани распоред свим корисницима:", 10 | "If enabled, users will not be able to set a custom order." : "Ако је укључено, корисници неће моћи да поставе посебан распоред." 11 | },"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);" 12 | } -------------------------------------------------------------------------------- /l10n/sv.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Appordning", 5 | "AppOrder" : "AppOrder", 6 | "Sort apps in the menu with drag and drop" : "Sortera appar i menyn genom att dra och släppa", 7 | "App Order" : "Appordning", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Välj en standardsortering för alla användare. Om användaren valt en annan sortering kommer standardvalet att ignoreras.", 9 | "Drag the app icons to change their order." : "Dra appikonerna för att ändra deras ordning.", 10 | "Force the default order for all users:" : "Bestäm standardsortering för alla användare:", 11 | "If enabled, users will not be able to set a custom order." : "Om aktiverat, kommer användarna inte att kunna välja egen sortering." 12 | }, 13 | "nplurals=2; plural=(n != 1);"); 14 | -------------------------------------------------------------------------------- /l10n/sv.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Appordning", 3 | "AppOrder" : "AppOrder", 4 | "Sort apps in the menu with drag and drop" : "Sortera appar i menyn genom att dra och släppa", 5 | "App Order" : "Appordning", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Välj en standardsortering för alla användare. Om användaren valt en annan sortering kommer standardvalet att ignoreras.", 7 | "Drag the app icons to change their order." : "Dra appikonerna för att ändra deras ordning.", 8 | "Force the default order for all users:" : "Bestäm standardsortering för alla användare:", 9 | "If enabled, users will not be able to set a custom order." : "Om aktiverat, kommer användarna inte att kunna välja egen sortering." 10 | },"pluralForm" :"nplurals=2; plural=(n != 1);" 11 | } -------------------------------------------------------------------------------- /l10n/tr.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Uygulama sıralaması", 5 | "AppOrder" : "UygulamaSıralaması", 6 | "Sort apps in the menu with drag and drop" : "Menüdeki uygulamaların sıralamasını sürükleyip bırakarak değiştirir", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Uygulama simgelerinin kişisel tercihe göre sıralanabilmesini sağlar. Sıralama her kullanıcıya özel olarak kaydedilir. Yöneticiler özel bir sıralamayı varsayılan olarak atayabilir.\n\n## Tüm yeni kullanıcılar için varsayılan sıralamayı ayarlamak\n\nAyarlar > Yönetim > Ek ayarlar bölümüne giderek Uygulama sıralaması altındaki simgeleri sürükleyip bırakın.\n\n## İlk uygulamayı varsayılan uygulama olarak kullanmak\n\nconfig/config.php dosyasında aşağıdaki ayarı yaparak kullanıcıların uygulama listesindeki ilk uygulamanın varsayılan olarak açılması sağlanabilir:\n\n 'defaultapp' => 'apporder',\n\nBöylece kullanıcılar için varsayılan sıralamadaki ilk uygulama yerine yeğledikleri sıralamadaki ilk uygulama açılır.", 8 | "App Order" : "Uygulama sıralaması", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Tüm kullanıcılar için geçerli olacak varsayılan sıralamayı ayarlayın. Kullanıcı özel bir sıralama seçtiyse bu seçenek yok sayılır ve varsayılan sıralama uygulanmaz.", 10 | "Drag the app icons to change their order." : "Simgeleri sürükleyerek uygulamaları sıralayabilirsiniz.", 11 | "Force the default order for all users:" : "Tüm kullanıcılara uygulanacak varsayılan sıralama:", 12 | "If enabled, users will not be able to set a custom order." : "Bu seçenek etkinleştirildiğinde, kullanıcılar özel bir sıralama uygulayamaz." 13 | }, 14 | "nplurals=2; plural=(n > 1);"); 15 | -------------------------------------------------------------------------------- /l10n/tr.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Uygulama sıralaması", 3 | "AppOrder" : "UygulamaSıralaması", 4 | "Sort apps in the menu with drag and drop" : "Menüdeki uygulamaların sıralamasını sürükleyip bırakarak değiştirir", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Uygulama simgelerinin kişisel tercihe göre sıralanabilmesini sağlar. Sıralama her kullanıcıya özel olarak kaydedilir. Yöneticiler özel bir sıralamayı varsayılan olarak atayabilir.\n\n## Tüm yeni kullanıcılar için varsayılan sıralamayı ayarlamak\n\nAyarlar > Yönetim > Ek ayarlar bölümüne giderek Uygulama sıralaması altındaki simgeleri sürükleyip bırakın.\n\n## İlk uygulamayı varsayılan uygulama olarak kullanmak\n\nconfig/config.php dosyasında aşağıdaki ayarı yaparak kullanıcıların uygulama listesindeki ilk uygulamanın varsayılan olarak açılması sağlanabilir:\n\n 'defaultapp' => 'apporder',\n\nBöylece kullanıcılar için varsayılan sıralamadaki ilk uygulama yerine yeğledikleri sıralamadaki ilk uygulama açılır.", 6 | "App Order" : "Uygulama sıralaması", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Tüm kullanıcılar için geçerli olacak varsayılan sıralamayı ayarlayın. Kullanıcı özel bir sıralama seçtiyse bu seçenek yok sayılır ve varsayılan sıralama uygulanmaz.", 8 | "Drag the app icons to change their order." : "Simgeleri sürükleyerek uygulamaları sıralayabilirsiniz.", 9 | "Force the default order for all users:" : "Tüm kullanıcılara uygulanacak varsayılan sıralama:", 10 | "If enabled, users will not be able to set a custom order." : "Bu seçenek etkinleştirildiğinde, kullanıcılar özel bir sıralama uygulayamaz." 11 | },"pluralForm" :"nplurals=2; plural=(n > 1);" 12 | } -------------------------------------------------------------------------------- /l10n/uk.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Порядок застосунків", 5 | "AppOrder" : "Перелік застосунків", 6 | "Sort apps in the menu with drag and drop" : "Впорядкування застосунків у меню за допомогою перетягування елементів", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Увімкніть впорядкування іконок застосунків в особистих налаштуваннях. Порядок буде збережено для кожного користувача окремо. Адміністратори можуть визначити власний порядок за замовчуванням.\n\n## Встановити порядок за замовчуванням для всіх нових користувачів\n\n Перейдіть у Налаштування адміністратора (Admin settings) > Додаткові налаштування (Additional settings) і перетянгіть значки у бажаному порядку.\n\n##Використовувати перший застосунок як початковий\n\n Ви можете дозволити Nextcloud перенаправляти користувачів на перший застосунок у їхніх налаштуваннях за допомогою наступного параметру у вашому файлі конфігурації config/config.php:\n\n 'defaultapp' => 'apporder',\n\nТепер користувачі будуть перенаправлятися одразу після входу на перший застосунок у їхніх налаштуваннях.", 8 | "App Order" : "Впорядкування застосунків", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Встановіть типовий порядок для усіх користувачів. Це не буде застосовуватися, якщо користувач визначив власний порядок розташування елементів, при цьому типовий порядок не увімкнено.", 10 | "Drag the app icons to change their order." : "Потягніть за іконку застосунку для зміни його позиції в переліку.", 11 | "Force the default order for all users:" : "Застосувати типовий порядок для всіх користувачів:", 12 | "If enabled, users will not be able to set a custom order." : "Якщо увімкнено, користувачі не зможуть визначати власний порядок." 13 | }, 14 | "nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"); 15 | -------------------------------------------------------------------------------- /l10n/uk.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Порядок застосунків", 3 | "AppOrder" : "Перелік застосунків", 4 | "Sort apps in the menu with drag and drop" : "Впорядкування застосунків у меню за допомогою перетягування елементів", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "Увімкніть впорядкування іконок застосунків в особистих налаштуваннях. Порядок буде збережено для кожного користувача окремо. Адміністратори можуть визначити власний порядок за замовчуванням.\n\n## Встановити порядок за замовчуванням для всіх нових користувачів\n\n Перейдіть у Налаштування адміністратора (Admin settings) > Додаткові налаштування (Additional settings) і перетянгіть значки у бажаному порядку.\n\n##Використовувати перший застосунок як початковий\n\n Ви можете дозволити Nextcloud перенаправляти користувачів на перший застосунок у їхніх налаштуваннях за допомогою наступного параметру у вашому файлі конфігурації config/config.php:\n\n 'defaultapp' => 'apporder',\n\nТепер користувачі будуть перенаправлятися одразу після входу на перший застосунок у їхніх налаштуваннях.", 6 | "App Order" : "Впорядкування застосунків", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Встановіть типовий порядок для усіх користувачів. Це не буде застосовуватися, якщо користувач визначив власний порядок розташування елементів, при цьому типовий порядок не увімкнено.", 8 | "Drag the app icons to change their order." : "Потягніть за іконку застосунку для зміни його позиції в переліку.", 9 | "Force the default order for all users:" : "Застосувати типовий порядок для всіх користувачів:", 10 | "If enabled, users will not be able to set a custom order." : "Якщо увімкнено, користувачі не зможуть визначати власний порядок." 11 | },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);" 12 | } -------------------------------------------------------------------------------- /l10n/vi.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "Thứ tự ứng dụng", 5 | "AppOrder" : "Thứ-tự.Ứng-dụng", 6 | "Sort apps in the menu with drag and drop" : "Sắp xếp các ứng dụng trong bảng chọn bằng cách kéo và thả", 7 | "App Order" : "Thứ tự ứng dụng", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Đặt một thứ tự mặc định cho tất cả các người dùng. Điều này có thể bị bỏ qua, nếu một người dùng đã thiết lập một tùy chỉnh thứ tự riêng, và thứ tự mặc định không bị ép buộc thực thi. ", 9 | "Drag the app icons to change their order." : "Kéo biểu tượng ứng dụng và thay đổi thứ tự của nó.", 10 | "Force the default order for all users:" : "Ép buộc thực thi thứ tự mặc định cho tất cả các người dùng:", 11 | "If enabled, users will not be able to set a custom order." : "Nếu được kích hoạt, người dùng sẽ không thể đặt một tùy chỉnh thứ tự riêng." 12 | }, 13 | "nplurals=1; plural=0;"); 14 | -------------------------------------------------------------------------------- /l10n/vi.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "Thứ tự ứng dụng", 3 | "AppOrder" : "Thứ-tự.Ứng-dụng", 4 | "Sort apps in the menu with drag and drop" : "Sắp xếp các ứng dụng trong bảng chọn bằng cách kéo và thả", 5 | "App Order" : "Thứ tự ứng dụng", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "Đặt một thứ tự mặc định cho tất cả các người dùng. Điều này có thể bị bỏ qua, nếu một người dùng đã thiết lập một tùy chỉnh thứ tự riêng, và thứ tự mặc định không bị ép buộc thực thi. ", 7 | "Drag the app icons to change their order." : "Kéo biểu tượng ứng dụng và thay đổi thứ tự của nó.", 8 | "Force the default order for all users:" : "Ép buộc thực thi thứ tự mặc định cho tất cả các người dùng:", 9 | "If enabled, users will not be able to set a custom order." : "Nếu được kích hoạt, người dùng sẽ không thể đặt một tùy chỉnh thứ tự riêng." 10 | },"pluralForm" :"nplurals=1; plural=0;" 11 | } -------------------------------------------------------------------------------- /l10n/zh_CN.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "应用顺序", 5 | "AppOrder" : "应用顺序", 6 | "Sort apps in the menu with drag and drop" : "在菜单上拖拽调整应用排序", 7 | "App Order" : "应用顺序", 8 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "为所有用户设置默认顺序。 如果用户已设置自定义顺序,并且不强制使用默认顺序,则将忽略此设置。", 9 | "Drag the app icons to change their order." : "拖动应用图标以修改顺序", 10 | "Force the default order for all users:" : "对所有用户强制使用默认顺序:", 11 | "If enabled, users will not be able to set a custom order." : "如果启用,用户将无法设置自定义顺序。" 12 | }, 13 | "nplurals=1; plural=0;"); 14 | -------------------------------------------------------------------------------- /l10n/zh_CN.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "应用顺序", 3 | "AppOrder" : "应用顺序", 4 | "Sort apps in the menu with drag and drop" : "在菜单上拖拽调整应用排序", 5 | "App Order" : "应用顺序", 6 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "为所有用户设置默认顺序。 如果用户已设置自定义顺序,并且不强制使用默认顺序,则将忽略此设置。", 7 | "Drag the app icons to change their order." : "拖动应用图标以修改顺序", 8 | "Force the default order for all users:" : "对所有用户强制使用默认顺序:", 9 | "If enabled, users will not be able to set a custom order." : "如果启用,用户将无法设置自定义顺序。" 10 | },"pluralForm" :"nplurals=1; plural=0;" 11 | } -------------------------------------------------------------------------------- /l10n/zh_HK.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "應用程式排序", 5 | "AppOrder" : "應用程式排序", 6 | "Sort apps in the menu with drag and drop" : "拖曳來調整選單中應用程式的排序", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "允許用戶在個人設定當中調整應用程式圖示的排序,每個用戶可以獨立設定自己偏好的排序,管理員可以也設定默認的排序。\n\n## 為所有新用戶設定默認的順序\n\n前往 設置 > 管理 > 其他設置,然後拖動應用程式順序下的圖標。\n\n## 使用第一個應用程式為默認應用程式\n\n您可以設定 Nextcloud 自動在登入時將用戶重導向至他們設定的排序中最前面的應用程式,您需要修改 config/config.php 中的參數如下:\n\n 'defaultapp' => 'apporder',\n\n設定完成之後用戶就會自動被重導向至他們設定的排序中最前面的應用程式。", 8 | "App Order" : "應用程式排序", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "對所有用戶設定預設順序。如果用戶有設定自訂順序則會忽略,不強制使用預設順序。", 10 | "Drag the app icons to change their order." : "拖曳應用程式的圖示來更改排序", 11 | "Force the default order for all users:" : "強制讓所有用戶使用預設排序:", 12 | "If enabled, users will not be able to set a custom order." : "若開啟,用戶將無法設定自訂排序。" 13 | }, 14 | "nplurals=1; plural=0;"); 15 | -------------------------------------------------------------------------------- /l10n/zh_HK.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "應用程式排序", 3 | "AppOrder" : "應用程式排序", 4 | "Sort apps in the menu with drag and drop" : "拖曳來調整選單中應用程式的排序", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "允許用戶在個人設定當中調整應用程式圖示的排序,每個用戶可以獨立設定自己偏好的排序,管理員可以也設定默認的排序。\n\n## 為所有新用戶設定默認的順序\n\n前往 設置 > 管理 > 其他設置,然後拖動應用程式順序下的圖標。\n\n## 使用第一個應用程式為默認應用程式\n\n您可以設定 Nextcloud 自動在登入時將用戶重導向至他們設定的排序中最前面的應用程式,您需要修改 config/config.php 中的參數如下:\n\n 'defaultapp' => 'apporder',\n\n設定完成之後用戶就會自動被重導向至他們設定的排序中最前面的應用程式。", 6 | "App Order" : "應用程式排序", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "對所有用戶設定預設順序。如果用戶有設定自訂順序則會忽略,不強制使用預設順序。", 8 | "Drag the app icons to change their order." : "拖曳應用程式的圖示來更改排序", 9 | "Force the default order for all users:" : "強制讓所有用戶使用預設排序:", 10 | "If enabled, users will not be able to set a custom order." : "若開啟,用戶將無法設定自訂排序。" 11 | },"pluralForm" :"nplurals=1; plural=0;" 12 | } -------------------------------------------------------------------------------- /l10n/zh_TW.js: -------------------------------------------------------------------------------- 1 | OC.L10N.register( 2 | "apporder", 3 | { 4 | "App order" : "應用程式順序", 5 | "AppOrder" : "應用程式順序", 6 | "Sort apps in the menu with drag and drop" : "拖曳來調整選單中應用程式的順序", 7 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "允許使用者在個人設定當中調整應用程式圖示的順序,每個使用者可以獨立設定自己偏好的順序,管理員可以也設定預設的順序。\n\n## 為所有新使用者設定預設的順序\n\n前往「設定」>「管理」>「其他設定」,然後拖曳「應用程式順序」下方的圖示\n\n## 使用第一個應用程式為預設應用程式\n\n您可以設定 Nextcloud 自動在登入時將使用者重導向至他們設定的順序中最前面的應用程式,您需要修改 config/config.php 中的參數如下:\n\n 'defaultapp' => 'apporder',\n\n設定完成之後使用者就會自動被重導向至他們設定的順序中最前面的應用程式。", 8 | "App Order" : "應用程式順序", 9 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "對所有使用者設定預設順序。如果使用者有設定自訂順序則會忽略,不強制使用預設順序。", 10 | "Drag the app icons to change their order." : "拖曳應用程式的圖示來更改順序", 11 | "Force the default order for all users:" : "強制讓所有使用者使用預設順序:", 12 | "If enabled, users will not be able to set a custom order." : "若開啟,使用者將無法設定自訂順序。" 13 | }, 14 | "nplurals=1; plural=0;"); 15 | -------------------------------------------------------------------------------- /l10n/zh_TW.json: -------------------------------------------------------------------------------- 1 | { "translations": { 2 | "App order" : "應用程式順序", 3 | "AppOrder" : "應用程式順序", 4 | "Sort apps in the menu with drag and drop" : "拖曳來調整選單中應用程式的順序", 5 | "Enable sorting the app icons from the personal settings. The order will be saved for each user individually. Administrators can define a custom default order.\n\n## Set a default order for all new users\n\nGo to the Settings > Administration > Additional settings and drag the icons under App order.\n\n## Use first app as default app\n\nYou can easily let Nextcloud redirect your user to the first app in their personal order by changing the following parameter in your config/config.php:\n\n 'defaultapp' => 'apporder',\n\nUsers will now get redirected to the first app of the default order or to the first app of the user order." : "允許使用者在個人設定當中調整應用程式圖示的順序,每個使用者可以獨立設定自己偏好的順序,管理員可以也設定預設的順序。\n\n## 為所有新使用者設定預設的順序\n\n前往「設定」>「管理」>「其他設定」,然後拖曳「應用程式順序」下方的圖示\n\n## 使用第一個應用程式為預設應用程式\n\n您可以設定 Nextcloud 自動在登入時將使用者重導向至他們設定的順序中最前面的應用程式,您需要修改 config/config.php 中的參數如下:\n\n 'defaultapp' => 'apporder',\n\n設定完成之後使用者就會自動被重導向至他們設定的順序中最前面的應用程式。", 6 | "App Order" : "應用程式順序", 7 | "Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced." : "對所有使用者設定預設順序。如果使用者有設定自訂順序則會忽略,不強制使用預設順序。", 8 | "Drag the app icons to change their order." : "拖曳應用程式的圖示來更改順序", 9 | "Force the default order for all users:" : "強制讓所有使用者使用預設順序:", 10 | "If enabled, users will not be able to set a custom order." : "若開啟,使用者將無法設定自訂順序。" 11 | },"pluralForm" :"nplurals=1; plural=0;" 12 | } -------------------------------------------------------------------------------- /lib/AppInfo/Application.php: -------------------------------------------------------------------------------- 1 | registerEventListener(BeforeTemplateRenderedEvent::class, BeforeTemplateRenderedListener::class); 25 | } 26 | 27 | /** 28 | * @inheritDoc 29 | */ 30 | public function boot(IBootContext $context): void { 31 | } 32 | } 33 | -------------------------------------------------------------------------------- /lib/Controller/AppController.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Controller; 25 | 26 | use \OCP\AppFramework\Controller; 27 | use OCP\AppFramework\Http\RedirectResponse; 28 | use \OCP\IRequest; 29 | use \OCA\AppOrder\Service\ConfigService; 30 | use OCA\AppOrder\Util; 31 | use OCP\IURLGenerator; 32 | 33 | class AppController extends Controller { 34 | 35 | private $userId; 36 | private $urlGenerator; 37 | private $util; 38 | 39 | public function __construct($appName, 40 | IRequest $request, 41 | IURLGenerator $urlGenerator, 42 | Util $util, $userId) { 43 | parent::__construct($appName, $request); 44 | $this->userId = $userId; 45 | $this->urlGenerator = $urlGenerator; 46 | $this->util = $util; 47 | } 48 | 49 | /** 50 | * @NoCSRFRequired 51 | * @NoAdminRequired 52 | * @return RedirectResponse 53 | */ 54 | public function index() { 55 | $order = json_decode($this->util->getAppOrder()); 56 | $hidden = json_decode($this->util->getAppHidden()); 57 | 58 | $firstPage = null; 59 | 60 | if ($order !== null && sizeof($order) > 0) { 61 | if($hidden !== null && sizeof($hidden) > 0){ 62 | foreach($order as $app){ 63 | if(!in_array($app,$hidden)){ 64 | $firstPage = $app; 65 | break; 66 | } 67 | } 68 | } 69 | else{ 70 | $firstPage = $order[0]; 71 | } 72 | } 73 | if($firstPage===null) { 74 | 75 | $appId = 'files'; 76 | 77 | if (getenv('front_controller_active') === 'true') { 78 | $firstPage = $this->urlGenerator->getAbsoluteURL('/apps/' . $appId . '/'); 79 | } else { 80 | $firstPage = $this->urlGenerator->getAbsoluteURL('/index.php/apps/' . $appId . '/'); 81 | } 82 | } 83 | return new RedirectResponse($firstPage); 84 | } 85 | 86 | } 87 | -------------------------------------------------------------------------------- /lib/Listener/BeforeTemplateRenderedListener.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Service; 25 | 26 | use \OCP\IConfig; 27 | 28 | class ConfigService { 29 | 30 | private $config; 31 | private $appName; 32 | 33 | public function __construct(IConfig $config, $appName) { 34 | $this->config = $config; 35 | $this->appName = $appName; 36 | } 37 | 38 | public function getAppValue($key) { 39 | return $this->config->getAppValue($this->appName, $key); 40 | } 41 | 42 | public function setAppValue($key, $value) { 43 | $this->config->setAppValue($this->appName, $key, $value); 44 | } 45 | 46 | public function getUserValue($key, $userId) { 47 | return $this->config->getUserValue($userId, $this->appName, $key); 48 | } 49 | 50 | public function setUserValue($key, $userId, $value) { 51 | $this->config->setUserValue($userId, $this->appName, $key, $value); 52 | } 53 | 54 | } 55 | -------------------------------------------------------------------------------- /lib/Settings/AdminSettings.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Settings; 25 | 26 | 27 | use OCP\AppFramework\Http\TemplateResponse; 28 | use OCP\IConfig; 29 | use OCP\Settings\ISettings; 30 | 31 | class AdminSettings implements ISettings { 32 | 33 | /** @var IConfig */ 34 | private $config; 35 | /** @var \OC_Defaults */ 36 | private $defaults; 37 | 38 | public function __construct(IConfig $config, \OC_Defaults $defaults) { 39 | $this->config = $config; 40 | $this->defaults = $defaults; 41 | } 42 | 43 | /** 44 | * @return TemplateResponse returns the instance with all parameters set, ready to be rendered 45 | * @since 9.1 46 | */ 47 | public function getForm() { 48 | $response = \OC::$server->query(\OCA\AppOrder\Controller\SettingsController::class)->adminIndex(); 49 | return $response; 50 | } 51 | 52 | /** 53 | * @return string the section ID, e.g. 'sharing' 54 | * @since 9.1 55 | */ 56 | public function getSection() { 57 | return 'apporder'; 58 | } 59 | 60 | /** 61 | * @return int whether the form should be rather on the top or bottom of 62 | * the admin section. The forms are arranged in ascending order of the 63 | * priority values. It is required to return a value between 0 and 100. 64 | * 65 | * E.g.: 70 66 | * @since 9.1 67 | */ 68 | public function getPriority() { 69 | return 90; 70 | } 71 | 72 | } 73 | -------------------------------------------------------------------------------- /lib/Settings/PersonalSettings.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Settings; 25 | 26 | 27 | use OCP\AppFramework\Http\TemplateResponse; 28 | use OCP\IConfig; 29 | use OCP\Settings\ISettings; 30 | 31 | class PersonalSettings implements ISettings { 32 | 33 | /** @var IConfig */ 34 | private $config; 35 | /** @var \OC_Defaults */ 36 | private $defaults; 37 | /** @var indicates admin-forced order */ 38 | private $force_admin_order; 39 | 40 | public function __construct(IConfig $config, $appName, \OC_Defaults $defaults) { 41 | $this->config = $config; 42 | $this->defaults = $defaults; 43 | $this->force_admin_order = json_decode($this->config->getAppValue($appName, 'force')) ?? false; 44 | } 45 | 46 | /** 47 | * @return TemplateResponse returns the instance with all parameters set, ready to be rendered 48 | * @since 9.1 49 | */ 50 | public function getForm() { 51 | if ($this->force_admin_order) { 52 | $response = null; 53 | } else { 54 | $response = \OC::$server->query(\OCA\AppOrder\Controller\SettingsController::class)->personalIndex(); 55 | } 56 | return $response; 57 | } 58 | 59 | /** 60 | * @return string the section ID, e.g. 'sharing' 61 | * @since 9.1 62 | */ 63 | public function getSection() { 64 | if ($this->force_admin_order) { 65 | return null; 66 | } else { 67 | return 'apporder'; 68 | } 69 | } 70 | 71 | /** 72 | * @return int whether the form should be rather on the top or bottom of 73 | * the admin section. The forms are arranged in ascending order of the 74 | * priority values. It is required to return a value between 0 and 100. 75 | * 76 | * E.g.: 70 77 | * @since 9.1 78 | */ 79 | public function getPriority() { 80 | if ($this->force_admin_order) { 81 | return null; 82 | } else { 83 | return 90; 84 | } 85 | } 86 | 87 | } 88 | -------------------------------------------------------------------------------- /lib/Settings/Section.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Settings; 25 | 26 | 27 | use OCP\IConfig; 28 | use OCP\IL10N; 29 | use OCP\IURLGenerator; 30 | use OCP\Settings\IIconSection; 31 | 32 | class Section implements IIconSection { 33 | 34 | private $config; 35 | private $defaults; 36 | private $urlGenerator; 37 | private $l10n; 38 | 39 | public function __construct(IConfig $config, \OC_Defaults $defaults, IURLGenerator $urlGenerator, IL10N $l10n) { 40 | $this->config = $config; 41 | $this->defaults = $defaults; 42 | $this->urlGenerator = $urlGenerator; 43 | $this->l10n = $l10n; 44 | } 45 | 46 | /** 47 | * returns the relative path to an 16*16 icon describing the section. 48 | * e.g. '/core/img/places/files.svg' 49 | * 50 | * @returns string 51 | * @since 12 52 | */ 53 | public function getIcon() { 54 | return $this->urlGenerator->imagePath('core', 'actions/settings-dark.svg'); 55 | } 56 | 57 | /** 58 | * returns the ID of the section. It is supposed to be a lower case string, 59 | * e.g. 'ldap' 60 | * 61 | * @returns string 62 | * @since 9.1 63 | */ 64 | public function getID() { 65 | return 'apporder'; 66 | } 67 | 68 | /** 69 | * returns the translated name as it should be displayed, e.g. 'LDAP / AD 70 | * integration'. Use the L10N service to translate it. 71 | * 72 | * @return string 73 | * @since 9.1 74 | */ 75 | public function getName() { 76 | return $this->l10n->t('App order'); 77 | } 78 | 79 | /** 80 | * @return int whether the form should be rather on the top or bottom of 81 | * the settings navigation. The sections are arranged in ascending order of 82 | * the priority values. It is required to return a value between 0 and 99. 83 | * 84 | * E.g.: 70 85 | * @since 9.1 86 | */ 87 | public function getPriority() { 88 | return 90; 89 | } 90 | } 91 | -------------------------------------------------------------------------------- /lib/Util.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder; 25 | 26 | use OCA\AppOrder\Service\ConfigService; 27 | 28 | class Util { 29 | 30 | private $userId; 31 | private $appConfig; 32 | 33 | public function __construct(ConfigService $appConfig, $userId) { 34 | $this->userId = $userId; 35 | $this->appConfig = $appConfig; 36 | } 37 | 38 | public function getAppOrder() { 39 | $order_user = $this->appConfig->getUserValue('order', $this->userId); 40 | $order_default = $this->appConfig->getAppValue('order'); 41 | $forced_order = json_decode($this->appConfig->getAppValue('force')) ?? false; 42 | if ($order_user !== null && $order_user !== "" && !($forced_order)) { 43 | $order = $order_user; 44 | } else { 45 | $order = $order_default; 46 | } 47 | return $order; 48 | } 49 | 50 | public function matchOrder($nav, $order) { 51 | $nav_tmp = array(); 52 | $result = array(); 53 | foreach ($nav as $app) { 54 | $nav_tmp[$app['href']] = $app; 55 | } 56 | if(is_array($order)) { 57 | foreach ($order as $app) { 58 | if (array_key_exists($app, $nav_tmp)) { 59 | $result[$app] = $nav_tmp[$app]; 60 | } 61 | } 62 | } 63 | foreach ($nav as $app) { 64 | if (!array_key_exists($app['href'], $result)) { 65 | $result[$app['href']] = $app; 66 | } 67 | } 68 | return $result; 69 | } 70 | 71 | public function getAppHidden() { 72 | $hidden_user = $this->appConfig->getUserValue('hidden', $this->userId); 73 | $hidden_default = $this->appConfig->getAppValue('hidden'); 74 | $forced_order = json_decode($this->appConfig->getAppValue('force')) ?? false; 75 | if ($hidden_user !== null && $hidden_user !== "" && !($forced_order)) { 76 | $hidden = $hidden_user; 77 | } else { 78 | $hidden = $hidden_default; 79 | } 80 | return $hidden; 81 | } 82 | 83 | } 84 | -------------------------------------------------------------------------------- /phpunit.integration.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | ./tests/integration 5 | 6 | 7 | -------------------------------------------------------------------------------- /phpunit.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | ./tests/unit 5 | 6 | 7 | 8 | 9 | ./ 10 | 11 | 12 | 13 | -------------------------------------------------------------------------------- /templates/admin.php: -------------------------------------------------------------------------------- 1 |
2 |

t('App Order')) ?>

3 | 4 |

t('Set a default order for all users. This will be ignored, if the user has setup a custom order, and the default order is not forced.')); ?>

5 | 6 |

t('Drag the app icons to change their order.')); ?>

7 |
    8 | 9 |
  • 10 | > 11 | 12 |

    13 | 14 |

    15 |
  • 16 | 17 |
18 | 19 |

t('Force the default order for all users:')); ?> > (t('If enabled, users will not be able to set a custom order.')); ?>)

20 | 21 |
22 | -------------------------------------------------------------------------------- /tests/Integration/AppTest.php: -------------------------------------------------------------------------------- 1 | 9 | * @copyright jus 2016 10 | */ 11 | 12 | use OCP\AppFramework\App; 13 | use Test\TestCase; 14 | 15 | 16 | /** 17 | * This test shows how to make a small Integration Test. Query your class 18 | * directly from the container, only pass in mocks if needed and run your tests 19 | * against the database 20 | */ 21 | class AppTest extends TestCase { 22 | 23 | private $container; 24 | 25 | public function setUp() { 26 | parent::setUp(); 27 | $app = new App('apporder'); 28 | $this->container = $app->getContainer(); 29 | } 30 | 31 | public function testAppInstalled() { 32 | $appManager = $this->container->query('OCP\App\IAppManager'); 33 | $this->assertTrue($appManager->isInstalled('apporder')); 34 | } 35 | 36 | } 37 | -------------------------------------------------------------------------------- /tests/bootstrap.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | require_once __DIR__.'/../../../tests/bootstrap.php'; 25 | 26 | \OC_App::loadApp('apporder'); 27 | 28 | OC_Hook::clear(); 29 | 30 | -------------------------------------------------------------------------------- /tests/unit/UtilTest.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder; 25 | 26 | use OCA\AppOrder\Service\ConfigService; 27 | use OCP\IConfig; 28 | 29 | class UtilTest extends \PHPUnit_Framework_TestCase { 30 | 31 | /** @var ConfigService|\PHPUnit_Framework_MockObject_MockObject */ 32 | private $service; 33 | /** @var string */ 34 | private $userId; 35 | /** @var Util */ 36 | private $util; 37 | /** @var IConfig|\PHPUnit_Framework_MockObject_MockObject */ 38 | private $config; 39 | 40 | public function setUp() { 41 | 42 | parent::setUp(); 43 | 44 | $this->config = $this->getMockBuilder('OCP\IConfig') 45 | ->disableOriginalConstructor() 46 | ->getMock(); 47 | $this->service = $this->getMockBuilder('\OCA\AppOrder\Service\ConfigService') 48 | ->disableOriginalConstructor() 49 | ->getMock(); 50 | $this->userId = 'admin'; 51 | $this->util = new Util($this->service, $this->userId); 52 | 53 | } 54 | 55 | public function testMatchOrder() { 56 | $nav = [ 57 | ['href' => '/app/files/', 'name' => 'Files'], 58 | ['href' => '/app/calendar/', 'name' => 'Calendar'], 59 | ['href' => '/app/tasks/', 'name' => 'Tasks'], 60 | ]; 61 | $order = ['/app/calendar/', '/app/tasks/']; 62 | $result = $this->util->matchOrder($nav, $order); 63 | $expected = [ 64 | '/app/calendar/' => ['href' => '/app/calendar/', 'name' => 'Calendar'], 65 | '/app/tasks/' => ['href' => '/app/tasks/', 'name' => 'Tasks'], 66 | '/app/files/' => ['href' => '/app/files/', 'name' => 'Files'], 67 | ]; 68 | $this->assertEquals($expected, $result); 69 | } 70 | 71 | public function testGetAppOrder() { 72 | $nav_system = ['/app/calendar/', '/app/tasks/']; 73 | $nav_user = ['/app/files/', '/app/calendar/', '/app/tasks/']; 74 | $this->service->expects($this->once()) 75 | ->method('getAppValue') 76 | ->with('order') 77 | ->will($this->returnValue(json_encode($nav_system))); 78 | $this->service->expects($this->once()) 79 | ->method('getUserValue') 80 | ->with('order', $this->userId) 81 | ->will($this->returnValue(json_encode($nav_user))); 82 | $result = $this->util->getAppOrder(); 83 | $this->assertEquals(json_encode($nav_user), $result); 84 | } 85 | 86 | public function testGetAppOrderNoUser() { 87 | $nav_system = ['/app/calendar/', '/app/tasks/']; 88 | $nav_user = ''; 89 | $this->service->expects($this->once()) 90 | ->method('getAppValue') 91 | ->with('order') 92 | ->will($this->returnValue(json_encode($nav_system))); 93 | $this->service->expects($this->once()) 94 | ->method('getUserValue') 95 | ->with('order', $this->userId) 96 | ->will($this->returnValue($nav_user)); 97 | $result = $this->util->getAppOrder(); 98 | $this->assertEquals(json_encode($nav_system), $result); 99 | } 100 | 101 | } 102 | -------------------------------------------------------------------------------- /tests/unit/service/ConfigServiceTest.php: -------------------------------------------------------------------------------- 1 | 4 | * 5 | * @author Julius Härtl 6 | * 7 | * @license GNU AGPL version 3 or any later version 8 | * 9 | * This program is free software: you can redistribute it and/or modify 10 | * it under the terms of the GNU Affero General Public License as 11 | * published by the Free Software Foundation, either version 3 of the 12 | * License, or (at your option) any later version. 13 | * 14 | * This program is distributed in the hope that it will be useful, 15 | * but WITHOUT ANY WARRANTY; without even the implied warranty of 16 | * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 17 | * GNU Affero General Public License for more details. 18 | * 19 | * You should have received a copy of the GNU Affero General Public License 20 | * along with this program. If not, see . 21 | * 22 | */ 23 | 24 | namespace OCA\AppOrder\Tests\Unit\Service; 25 | 26 | use OCA\AppOrder\Service\ConfigService; 27 | use OCP\IConfig; 28 | 29 | class ConfigServiceTest extends \PHPUnit_Framework_TestCase { 30 | 31 | /** @var IConfig|\PHPUnit_Framework_MockObject_MockObject */ 32 | private $config; 33 | /** @var ConfigService */ 34 | private $service; 35 | 36 | public function setUp() { 37 | $this->config = $this->getMockBuilder('\OCP\IConfig') 38 | ->disableOriginalConstructor()->getMock(); 39 | $this->service = new ConfigService($this->config, 'apporder'); 40 | } 41 | 42 | public function testAppValue() { 43 | $this->config->expects($this->any()) 44 | ->method('getAppValue') 45 | ->with('apporder', 'foo') 46 | ->willReturn('bar'); 47 | $result = $this->service->getAppValue("foo"); 48 | $this->assertEquals('bar', $result); 49 | } 50 | 51 | public function testUserValue() { 52 | $this->config->expects($this->any()) 53 | ->method('getUserValue') 54 | ->with('user', 'apporder', 'foo') 55 | ->willReturn('bar'); 56 | $this->service->setUserValue("foo", "user", "bar"); 57 | $result = $this->service->getUserValue("foo", "user"); 58 | $this->assertEquals('bar', $result); 59 | } 60 | 61 | } 62 | --------------------------------------------------------------------------------