From 9befda47971b16e48f1e41640c96fa16ea085232 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 25 Apr 2017 16:11:58 +0200 Subject: [PATCH 01/12] Correctly generate the Contao language cache (see #784). --- CHANGELOG.md | 4 ++++ src/Cache/ContaoCacheWarmer.php | 7 ++++--- src/Config/Dumper/CombinedFileDumper.php | 2 +- src/Config/Loader/PhpFileLoader.php | 4 +--- tests/Config/Loader/PhpFileLoaderTest.php | 4 ++-- 5 files changed, 12 insertions(+), 9 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f72d20c337..c5ea300ebc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,9 @@ # Contao core bundle change log +### DEV + + * Correctly generate the Contao language cache (see #784). + ### 4.3.9 (2017-04-25) * Revert the Punycode library changes (see contao/core#8693). diff --git a/src/Cache/ContaoCacheWarmer.php b/src/Cache/ContaoCacheWarmer.php index ec4af00b78..8544803aef 100644 --- a/src/Cache/ContaoCacheWarmer.php +++ b/src/Cache/ContaoCacheWarmer.php @@ -117,8 +117,8 @@ private function generateConfigCache($cacheDir) { $dumper = new CombinedFileDumper($this->filesystem, new PhpFileLoader(), $cacheDir.'/contao', true); - $dumper->dump($this->findConfigFiles('autoload.php'), 'config/autoload.php'); - $dumper->dump($this->findConfigFiles('config.php'), 'config/config.php'); + $dumper->dump($this->findConfigFiles('autoload.php'), 'config/autoload.php', ['type' => 'namespaced']); + $dumper->dump($this->findConfigFiles('config.php'), 'config/config.php', ['type' => 'namespaced']); } /** @@ -141,7 +141,8 @@ private function generateDcaCache($cacheDir) $dumper->dump( $this->locator->locate('dca/'.$file->getBasename(), null, false), - 'dca/'.$file->getBasename() + 'dca/'.$file->getBasename(), + ['type' => 'namespaced'] ); } } diff --git a/src/Config/Dumper/CombinedFileDumper.php b/src/Config/Dumper/CombinedFileDumper.php index ef415d085c..04dee0259f 100644 --- a/src/Config/Dumper/CombinedFileDumper.php +++ b/src/Config/Dumper/CombinedFileDumper.php @@ -85,7 +85,7 @@ public function setHeader($header) public function dump($files, $cacheFile, array $options = []) { $buffer = $this->header; - $type = $this->addNamespace ? PhpFileLoader::NAMESPACED : null; + $type = isset($options['type']) ? $options['type'] : null; foreach ((array) $files as $file) { $buffer .= $this->loader->load($file, $type); diff --git a/src/Config/Loader/PhpFileLoader.php b/src/Config/Loader/PhpFileLoader.php index 2731c1f53e..8bfc682951 100644 --- a/src/Config/Loader/PhpFileLoader.php +++ b/src/Config/Loader/PhpFileLoader.php @@ -21,8 +21,6 @@ */ class PhpFileLoader extends Loader { - const NAMESPACED = 'namespaced'; - /** * Reads the contents of a PHP file stripping the opening and closing PHP tags. * @@ -37,7 +35,7 @@ public function load($file, $type = null) $code = $this->stripLegacyCheck($code); - if (false !== $namespace && self::NAMESPACED === $type) { + if (false !== $namespace && 'namespaced' === $type) { $code = sprintf("\nnamespace %s {%s}\n", $namespace, $code); } diff --git a/tests/Config/Loader/PhpFileLoaderTest.php b/tests/Config/Loader/PhpFileLoaderTest.php index 314d7b3081..73a7cbd0c9 100644 --- a/tests/Config/Loader/PhpFileLoaderTest.php +++ b/tests/Config/Loader/PhpFileLoaderTest.php @@ -122,7 +122,7 @@ public function testLoadNamespace() $expects, $this->loader->load( $this->getRootDir().'/vendor/contao/test-bundle/Resources/contao/dca/tl_test_with_namespace.php', - PhpFileLoader::NAMESPACED + 'namespaced' ) ); @@ -138,7 +138,7 @@ public function testLoadNamespace() $expects, $this->loader->load( $this->getRootDir().'/vendor/contao/test-bundle/Resources/contao/languages/en/tl_test.php', - PhpFileLoader::NAMESPACED + 'namespaced' ) ); } From 3322a00fadb51034cdd6827a17334de9d501e601 Mon Sep 17 00:00:00 2001 From: Kamil Kuzminski Date: Thu, 27 Apr 2017 20:52:38 +0200 Subject: [PATCH 02/12] Hide the "Save and duplicate" button if the DC is not copyable (see #796). --- src/Resources/contao/drivers/DC_Table.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/src/Resources/contao/drivers/DC_Table.php b/src/Resources/contao/drivers/DC_Table.php index 8e906b12d6..5b42e3e59e 100644 --- a/src/Resources/contao/drivers/DC_Table.php +++ b/src/Resources/contao/drivers/DC_Table.php @@ -2033,7 +2033,11 @@ public function edit($intId=null, $ajaxId=null) if (!$GLOBALS['TL_DCA'][$this->strTable]['config']['closed'] && !$GLOBALS['TL_DCA'][$this->strTable]['config']['notCreatable']) { $arrButtons['saveNcreate'] = ''; - $arrButtons['saveNduplicate'] = ''; + + if (!$GLOBALS['TL_DCA'][$this->strTable]['config']['notCopyable']) + { + $arrButtons['saveNduplicate'] = ''; + } } if ($GLOBALS['TL_DCA'][$this->strTable]['config']['switchToEdit']) From e983e5bf9f5142a9c6597a5d6a5b3c92189b1064 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 2 May 2017 12:04:11 +0200 Subject: [PATCH 03/12] Correctly cache the unique keys in the SQL cache (see contao/core#8712). --- CHANGELOG.md | 1 + src/Cache/ContaoCacheWarmer.php | 3 ++- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c5ea300ebc..2bb2287f5f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ ### DEV + * Correctly cache the unique keys in the SQL cache (see contao/core#8712). * Correctly generate the Contao language cache (see #784). ### 4.3.9 (2017-04-25) diff --git a/src/Cache/ContaoCacheWarmer.php b/src/Cache/ContaoCacheWarmer.php index 8544803aef..3e4cd61bf0 100644 --- a/src/Cache/ContaoCacheWarmer.php +++ b/src/Cache/ContaoCacheWarmer.php @@ -217,10 +217,11 @@ private function generateDcaExtracts($cacheDir) $this->filesystem->dumpFile( sprintf('%s/contao/sql/%s.php', $cacheDir, $table), sprintf( - "blnIsDbTable = true;\n", + "blnIsDbTable = true;\n", sprintf('$this->arrMeta = %s;', var_export($extract->getMeta(), true)), sprintf('$this->arrFields = %s;', var_export($extract->getFields(), true)), sprintf('$this->arrOrderFields = %s;', var_export($extract->getOrderFields(), true)), + sprintf('$this->arrUniqueFields = %s;', var_export($extract->getUniqueFields(), true)), sprintf('$this->arrKeys = %s;', var_export($extract->getKeys(), true)), sprintf('$this->arrRelations = %s;', var_export($extract->getRelations(), true)) ) From 2dd0149702d696f78cd38c6faf6b501d584055f3 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 2 May 2017 17:07:57 +0200 Subject: [PATCH 04/12] Fix the SymlinkUtil::symlink() method. --- src/Util/SymlinkUtil.php | 15 ++++++++++----- 1 file changed, 10 insertions(+), 5 deletions(-) diff --git a/src/Util/SymlinkUtil.php b/src/Util/SymlinkUtil.php index 2be64f26d3..d799af4f92 100644 --- a/src/Util/SymlinkUtil.php +++ b/src/Util/SymlinkUtil.php @@ -35,13 +35,18 @@ public static function symlink($target, $link, $rootDir) $fs = new Filesystem(); + if (!$fs->isAbsolutePath($target)) { + $target = $rootDir.'/'.$target; + } + + if (!$fs->isAbsolutePath($link)) { + $link = $rootDir.'/'.$link; + } + if ('\\' === DIRECTORY_SEPARATOR) { - $fs->symlink($rootDir.'/'.$target, $rootDir.'/'.$link); + $fs->symlink($target, $link); } else { - $fs->symlink( - rtrim($fs->makePathRelative($rootDir.'/'.$target, dirname($rootDir.'/'.$link)), '/'), - $rootDir.'/'.$link - ); + $fs->symlink(rtrim($fs->makePathRelative($target, dirname($link)), '/'), $link); } } From 438a3498d77012d5d334273c98f1b3b1d054f613 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Thu, 4 May 2017 13:50:00 +0200 Subject: [PATCH 05/12] Correctly inline the image if no preview image will be generated (see #636). --- src/Resources/contao/drivers/DC_Folder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Resources/contao/drivers/DC_Folder.php b/src/Resources/contao/drivers/DC_Folder.php index 634e37d3ee..4d2fccad1b 100644 --- a/src/Resources/contao/drivers/DC_Folder.php +++ b/src/Resources/contao/drivers/DC_Folder.php @@ -2754,7 +2754,7 @@ protected function generateTree($path, $intMargin, $mount=false, $blnProtected=t if (\Config::get('thumbnails') && ($objFile->isSvgImage || $objFile->height <= \Config::get('gdMaxImgHeight') && $objFile->width <= \Config::get('gdMaxImgWidth'))) { // Inline the image if no preview image will be generated (see #636) - if ($objFile->height !== null && $objFile->height <= 50 || $objFile->width !== null && $objFile->width <= 400) + if ($objFile->height !== null && $objFile->height <= 50 && $objFile->width !== null && $objFile->width <= 400) { $thumbnail .= '
'; } From f5a1830cc4006712363b877297e236f86c113986 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Martin=20Ausw=C3=B6ger?= Date: Tue, 16 May 2017 09:51:35 +0200 Subject: [PATCH 06/12] Fix the "switch to edit" redirect (see contao/managed-edition#8). --- src/Resources/contao/drivers/DC_Folder.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Resources/contao/drivers/DC_Folder.php b/src/Resources/contao/drivers/DC_Folder.php index 4d2fccad1b..18b9c49d98 100644 --- a/src/Resources/contao/drivers/DC_Folder.php +++ b/src/Resources/contao/drivers/DC_Folder.php @@ -585,7 +585,7 @@ public function create() $objSession->set('CLIPBOARD', $arrClipboard); $this->Files->mkdir($strFolder . '/__new__'); - $this->redirect(html_entity_decode($this->switchToEdit($this->urlEncode($strFolder) . '/__new__'))); + $this->redirect(html_entity_decode($this->switchToEdit($strFolder . '/__new__'))); } From 3553e05601c97e0e80bdcaf729bb52a3e344b325 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 16 May 2017 11:42:37 +0200 Subject: [PATCH 07/12] Re-add display:table to the .clr format definition. --- src/Resources/contao/themes/flexible/basic.css | 2 +- src/Resources/contao/themes/flexible/src/basic.css | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/src/Resources/contao/themes/flexible/basic.css b/src/Resources/contao/themes/flexible/basic.css index 5e1e2f67eb..1461b34379 100644 --- a/src/Resources/contao/themes/flexible/basic.css +++ b/src/Resources/contao/themes/flexible/basic.css @@ -1,2 +1,2 @@ /* Contao Open Source CMS, (c) 2005-2017 Leo Feyer, LGPL-3.0+ */ -html{font-size:100%;-webkit-text-size-adjust:100%}body,button,ul,ol,li,h1,h2,h3,h4,h5,h6,pre,figure,form,fieldset,legend,p,blockquote,table{margin:0;padding:0}img{border:0}ul,li{list-style:none}table{border-spacing:0;border-collapse:collapse;empty-cells:show}th,td{padding:0;text-align:left}input,select,button,label,img,a.tl_submit,.tl_select{vertical-align:middle}button{cursor:pointer}body{font:300 .875rem/1 Roboto,sans-serif;color:#222}pre,code,.tl_textarea.monospace{font:300 .75rem/1.25 "Roboto Mono",monospace}h1,h2,h3,h4,h5,h6{font-size:1rem;font-weight:500}input,textarea,select,button{font:inherit;color:inherit;line-height:inherit}input{line-height:normal}strong,b,th{font-weight:500}.tl_gray{color:#999}.tl_green{color:#589b0e}.tl_red{color:#c33}.tl_blue{color:#427aae}.tl_orange{color:#f90}span.mandatory{color:#c33}a{color:#222;text-decoration:none}a:hover,a:active{color:#589b0e}hr{height:1px;margin:18px 0;border:0;background:#ddd;color:#ddd}p{margin-bottom:1em;padding:0}.hidden{display:none}.unselectable{-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;user-select:none;-webkit-touch-callout:none}.clear{clear:both;height:.1px;line-height:.1px;font-size:.1px}.cf:before,.cf:after{content:" ";display:table}.cf:after{clear:both}.invisible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.widget{margin-left:2%;margin-right:2%;position:relative}.widget{font-size:0}.widget *{font-size:.875rem}.widget>div{font-size:0}.widget>div>*{font-size:.875rem}optgroup{padding-top:3px;padding-bottom:3px;font-style:normal;background:#fff}fieldset.tl_checkbox_container,fieldset.tl_radio_container{border:0;margin:15px 0 1px;padding:0}fieldset.tl_checkbox_container{line-height:15px}fieldset.tl_radio_container{line-height:16px}fieldset.tl_checkbox_container legend,fieldset.tl_radio_container legend{font-weight:500}fieldset.checkbox_container,fieldset.radio_container{border:0;margin:0;padding:0}.tl_text{width:100%}.tl_text_2,.tl_text_interval{width:49%}.tl_text_3{width:32.333%}.tl_text_4{width:24%}.tl_textarea{width:100%;height:240px}.tl_text_unit{width:79%}.tl_text_trbl{width:19%}.tl_text,.tl_text_2,.tl_text_3,.tl_text_4,.tl_textarea,.tl_text_unit,.tl_text_trbl,.tl_text_interval{margin:2px 0;box-sizing:border-box;border:1px solid #aaa;padding:6px;border-radius:2px;-moz-appearance:none;-webkit-appearance:none}.tl_text[disabled],.tl_text_2[disabled],.tl_text_3[disabled],.tl_text_4[disabled],.tl_textarea[disabled],.tl_text_unit[disabled],.tl_text_trbl[disabled],.tl_text_interval[disabled],.tl_text[readonly],.tl_text_2[readonly],.tl_text_3[readonly],.tl_text_4[readonly],.tl_textarea[readonly],.tl_text_unit[readonly],.tl_text_trbl[readonly],.tl_text_interval[readonly]{color:#bbb;background-color:#f9f9f9;border:1px solid #c8c8c8;cursor:not-allowed}.tl_text_2,.tl_text_3,.tl_text_4,.tl_text_unit,.tl_text_trbl,.tl_text_interval{margin-right:1%}.tl_text_2:last-child,.tl_text_3:last-child,.tl_text_4:last-child,.tl_text_trbl:last-child{margin-right:0}.tl_imageSize_0{margin-left:1%}select{min-height:30px;-moz-appearance:none;-webkit-appearance:none;text-transform:none;line-height:normal}select::-ms-expand{display:none}select[multiple]{height:auto}.tl_select,.tl_mselect{width:100%}.tl_select_unit{width:20%}.tl_select_interval{width:50%}.tl_select,.tl_mselect,.tl_select_column,.tl_select_unit,.tl_select_interval{margin:2px 0;box-sizing:border-box;border:1px solid #aaa;padding:6px 22px 6px 6px;border-radius:2px;background:#fff url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxMiIgaGVpZ2h0PSIxMiIgdmlld0JveD0iMCAwIDUwMCA1MDAiPjxsaW5lYXJHcmFkaWVudCBpZD0iYSIgZ3JhZGllbnRVbml0cz0idXNlclNwYWNlT25Vc2UiIHgxPSIxMzEuNTIzIiB5MT0iNDIuNjMiIHgyPSIzNjguNDc4IiB5Mj0iMjc5LjU4NCI+PHN0b3Agb2Zmc2V0PSIwIiBzdG9wLWNvbG9yPSIjYjNiM2IzIi8+PHN0b3Agb2Zmc2V0PSIxIiBzdG9wLWNvbG9yPSIjOTk5Ii8+PC9saW5lYXJHcmFkaWVudD48cGF0aCBmaWxsPSJ1cmwoI2EpIiBkPSJNMjUwIDM5Ni42NjZjLTEuMTU1IDAtNC4xMS0xLjgzMi03LjExMy02Ljc1bC0xNjkuNi0yNzcuNDU1Yy0yLjUxNy00LjExNC0zLjE5LTYuOTgtMy4yOC04LjMxNC44MjctLjMzIDIuNTY1LS44MTIgNS42MjctLjgxMmgzNDguNzMzYzMuMDYzIDAgNC43OTguNDgyIDUuNjI3LjgxMi0uMDkgMS4zMzQtLjc2NiA0LjItMy4yOCA4LjMxNWwtMTY5LjYgMjc3LjQ1N2MtMy4wMDUgNC45MTctNS45NiA2Ljc1LTcuMTE0IDYuNzV6Ii8+PC9zdmc+) right -16px center no-repeat;background-origin:content-box;cursor:pointer}.tl_select[disabled],.tl_mselect[disabled],.tl_select_column[disabled],.tl_select_unit[disabled],.tl_select_interval[disabled],.tl_select[readonly],.tl_mselect[readonly],.tl_select_column[readonly],.tl_select_unit[readonly],.tl_select_interval[readonly]{color:#bbb;background-color:#f9f9f9;border:1px solid #c8c8c8;cursor:not-allowed}.tl_select[multiple],.tl_mselect[multiple],.tl_select_column[multiple],.tl_select_unit[multiple],.tl_select_interval[multiple]{background-image:none}@-moz-document url-prefix(){.tl_select,.tl_mselect,.tl_select_column,.tl_select_unit,.tl_select_interval{padding:5px 18px 5px 2px}}.tl_checkbox{margin:0 1px 0 0}.tl_tree_checkbox{margin:1px 1px 1px 0}.tl_checkbox_single_container{margin:16px 0 1px}.tl_checkbox_single_container label{margin-left:4px;font-weight:500}.checkbox_toggler{font-weight:500}.checkbox_toggler_first{margin-top:3px;font-weight:500}.checkbox_toggler img,.checkbox_toggler_first img{position:relative;top:-1px;margin-right:2px}.checkbox_options{margin:0 0 6px 21px!important}.tl_checkbox_container .checkbox_options:last-of-type{margin-bottom:0!important}.tl_radio{margin:0 1px 0 0}.win .tl_radio{margin:1px 1px 3px 0}.tl_tree_radio{margin:1px 1px 1px 0}.tl_radio_table{margin:2px 0}.tl_radio_table td{padding:0 24px 1px 0}.tl_upload_field{margin:1px 0}.tl_submit{padding:7px 12px;border:1px solid #aaa;border-radius:2px;box-sizing:border-box;cursor:pointer;background:#eee;transition:background .2s ease}.tl_panel .tl_submit,.tl_version_panel .tl_submit,.tl_formbody_submit .tl_submit{background:#fff}.tl_submit:hover{color:inherit;background-color:#f6f6f6}.tl_submit:active{color:#aaa}.tl_submit:disabled{cursor:default;background:#e9e9e9;color:#999}a.tl_submit{display:inline-block}.split-button{display:inline-block;position:relative;z-index:1}.split-button ul{position:absolute;right:0;bottom:20px;min-width:100%;background:#fff;border:1px solid #aaa;border-radius:2px;box-sizing:border-box;padding:3px 0;margin-bottom:1em}.split-button ul button{border:0;width:100%;text-align:left;white-space:nowrap}.split-button ul .tl_submit{margin-top:0;margin-bottom:0;background:#fff}.split-button ul .tl_submit:hover{background:#f3f3f3}.split-button ul:before{content:"";display:block;height:0;width:0;position:absolute;right:4px;bottom:-12px;z-index:89;border:inset 6px;border-top-style:solid;border-color:#fff transparent transparent}.split-button ul:after{content:"";display:block;height:0;width:0;position:absolute;right:3px;bottom:-14px;z-index:88;border:inset 7px;border-top-style:solid;border-color:#aaa transparent transparent}.split-button>button[type=submit]{position:relative;border-radius:2px 0 0 2px}.split-button>button[type=button]{padding:7px 4px;background:#fff;border:1px solid #aaa;border-left:0;border-radius:0 2px 2px 0;box-sizing:border-box;transition:background .2s ease}.split-button>button[type=button].active,.split-button>button[type=button]:hover{background:#f6f6f6}.split-button>button[type=button]:focus{outline:none}::-moz-placeholder{padding-top:1px}::-webkit-input-placeholder{padding-top:1px}.clr{clear:both}.w50{width:46%;float:left;height:80px}.long{width:96%}.wizard>a{vertical-align:middle}.wizard .tl_text,.wizard .tl_select{width:90%}.wizard .tl_text_2{width:45%}.wizard img{margin-left:4px}.long .tl_text,.long .tl_select{width:100%}.m12{margin:16px 2% 8px}.cbx{height:56px}.inline div{display:inline}.autoheight{height:auto}.tl_tip{height:14px;overflow:hidden;cursor:help}.tip-wrap{z-index:99}.tip{max-width:320px;padding:6px 9px;border-radius:2px;background:#333}.tip div{line-height:1.3}.tip div,.tip a{color:#fff}.tip-top{height:6px;position:absolute;top:-13px;border-left:7px solid transparent;border-right:7px solid transparent;border-bottom:7px solid #333}.hover-div:hover,.hover-row:hover td{background:#ebfdd7!important}@media (max-width:767px){.w50{float:none;width:auto}.cbx{height:32px}.tip{max-width:80vw}.tl_checkbox_container .tl_checkbox{margin-top:1px;margin-bottom:1px}.tl_checkbox_single_container label{position:relative;top:1px}} \ No newline at end of file +html{font-size:100%;-webkit-text-size-adjust:100%}body,button,ul,ol,li,h1,h2,h3,h4,h5,h6,pre,figure,form,fieldset,legend,p,blockquote,table{margin:0;padding:0}img{border:0}ul,li{list-style:none}table{border-spacing:0;border-collapse:collapse;empty-cells:show}th,td{padding:0;text-align:left}input,select,button,label,img,a.tl_submit,.tl_select{vertical-align:middle}button{cursor:pointer}body{font:300 .875rem/1 Roboto,sans-serif;color:#222}pre,code,.tl_textarea.monospace{font:300 .75rem/1.25 "Roboto Mono",monospace}h1,h2,h3,h4,h5,h6{font-size:1rem;font-weight:500}input,textarea,select,button{font:inherit;color:inherit;line-height:inherit}input{line-height:normal}strong,b,th{font-weight:500}.tl_gray{color:#999}.tl_green{color:#589b0e}.tl_red{color:#c33}.tl_blue{color:#427aae}.tl_orange{color:#f90}span.mandatory{color:#c33}a{color:#222;text-decoration:none}a:hover,a:active{color:#589b0e}hr{height:1px;margin:18px 0;border:0;background:#ddd;color:#ddd}p{margin-bottom:1em;padding:0}.hidden{display:none}.unselectable{-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;user-select:none;-webkit-touch-callout:none}.clear{clear:both;height:.1px;line-height:.1px;font-size:.1px}.cf:before,.cf:after{content:" ";display:table}.cf:after{clear:both}.invisible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.widget{margin-left:2%;margin-right:2%;position:relative}.widget{font-size:0}.widget *{font-size:.875rem}.widget>div{font-size:0}.widget>div>*{font-size:.875rem}optgroup{padding-top:3px;padding-bottom:3px;font-style:normal;background:#fff}fieldset.tl_checkbox_container,fieldset.tl_radio_container{border:0;margin:15px 0 1px;padding:0}fieldset.tl_checkbox_container{line-height:15px}fieldset.tl_radio_container{line-height:16px}fieldset.tl_checkbox_container legend,fieldset.tl_radio_container legend{font-weight:500}fieldset.checkbox_container,fieldset.radio_container{border:0;margin:0;padding:0}.tl_text{width:100%}.tl_text_2,.tl_text_interval{width:49%}.tl_text_3{width:32.333%}.tl_text_4{width:24%}.tl_textarea{width:100%;height:240px}.tl_text_unit{width:79%}.tl_text_trbl{width:19%}.tl_text,.tl_text_2,.tl_text_3,.tl_text_4,.tl_textarea,.tl_text_unit,.tl_text_trbl,.tl_text_interval{margin:2px 0;box-sizing:border-box;border:1px solid #aaa;padding:6px;border-radius:2px;-moz-appearance:none;-webkit-appearance:none}.tl_text[disabled],.tl_text_2[disabled],.tl_text_3[disabled],.tl_text_4[disabled],.tl_textarea[disabled],.tl_text_unit[disabled],.tl_text_trbl[disabled],.tl_text_interval[disabled],.tl_text[readonly],.tl_text_2[readonly],.tl_text_3[readonly],.tl_text_4[readonly],.tl_textarea[readonly],.tl_text_unit[readonly],.tl_text_trbl[readonly],.tl_text_interval[readonly]{color:#bbb;background-color:#f9f9f9;border:1px solid #c8c8c8;cursor:not-allowed}.tl_text_2,.tl_text_3,.tl_text_4,.tl_text_unit,.tl_text_trbl,.tl_text_interval{margin-right:1%}.tl_text_2:last-child,.tl_text_3:last-child,.tl_text_4:last-child,.tl_text_trbl:last-child{margin-right:0}.tl_imageSize_0{margin-left:1%}select{min-height:30px;-moz-appearance:none;-webkit-appearance:none;text-transform:none;line-height:normal}select::-ms-expand{display:none}select[multiple]{height:auto}.tl_select,.tl_mselect{width:100%}.tl_select_unit{width:20%}.tl_select_interval{width:50%}.tl_select,.tl_mselect,.tl_select_column,.tl_select_unit,.tl_select_interval{margin:2px 0;box-sizing:border-box;border:1px solid #aaa;padding:6px 22px 6px 6px;border-radius:2px;background:#fff url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxMiIgaGVpZ2h0PSIxMiIgdmlld0JveD0iMCAwIDUwMCA1MDAiPjxsaW5lYXJHcmFkaWVudCBpZD0iYSIgZ3JhZGllbnRVbml0cz0idXNlclNwYWNlT25Vc2UiIHgxPSIxMzEuNTIzIiB5MT0iNDIuNjMiIHgyPSIzNjguNDc4IiB5Mj0iMjc5LjU4NCI+PHN0b3Agb2Zmc2V0PSIwIiBzdG9wLWNvbG9yPSIjYjNiM2IzIi8+PHN0b3Agb2Zmc2V0PSIxIiBzdG9wLWNvbG9yPSIjOTk5Ii8+PC9saW5lYXJHcmFkaWVudD48cGF0aCBmaWxsPSJ1cmwoI2EpIiBkPSJNMjUwIDM5Ni42NjZjLTEuMTU1IDAtNC4xMS0xLjgzMi03LjExMy02Ljc1bC0xNjkuNi0yNzcuNDU1Yy0yLjUxNy00LjExNC0zLjE5LTYuOTgtMy4yOC04LjMxNC44MjctLjMzIDIuNTY1LS44MTIgNS42MjctLjgxMmgzNDguNzMzYzMuMDYzIDAgNC43OTguNDgyIDUuNjI3LjgxMi0uMDkgMS4zMzQtLjc2NiA0LjItMy4yOCA4LjMxNWwtMTY5LjYgMjc3LjQ1N2MtMy4wMDUgNC45MTctNS45NiA2Ljc1LTcuMTE0IDYuNzV6Ii8+PC9zdmc+) right -16px center no-repeat;background-origin:content-box;cursor:pointer}.tl_select[disabled],.tl_mselect[disabled],.tl_select_column[disabled],.tl_select_unit[disabled],.tl_select_interval[disabled],.tl_select[readonly],.tl_mselect[readonly],.tl_select_column[readonly],.tl_select_unit[readonly],.tl_select_interval[readonly]{color:#bbb;background-color:#f9f9f9;border:1px solid #c8c8c8;cursor:not-allowed}.tl_select[multiple],.tl_mselect[multiple],.tl_select_column[multiple],.tl_select_unit[multiple],.tl_select_interval[multiple]{background-image:none}@-moz-document url-prefix(){.tl_select,.tl_mselect,.tl_select_column,.tl_select_unit,.tl_select_interval{padding:5px 18px 5px 2px}}.tl_checkbox{margin:0 1px 0 0}.tl_tree_checkbox{margin:1px 1px 1px 0}.tl_checkbox_single_container{margin:16px 0 1px}.tl_checkbox_single_container label{margin-left:4px;font-weight:500}.checkbox_toggler{font-weight:500}.checkbox_toggler_first{margin-top:3px;font-weight:500}.checkbox_toggler img,.checkbox_toggler_first img{position:relative;top:-1px;margin-right:2px}.checkbox_options{margin:0 0 6px 21px!important}.tl_checkbox_container .checkbox_options:last-of-type{margin-bottom:0!important}.tl_radio{margin:0 1px 0 0}.win .tl_radio{margin:1px 1px 3px 0}.tl_tree_radio{margin:1px 1px 1px 0}.tl_radio_table{margin:2px 0}.tl_radio_table td{padding:0 24px 1px 0}.tl_upload_field{margin:1px 0}.tl_submit{padding:7px 12px;border:1px solid #aaa;border-radius:2px;box-sizing:border-box;cursor:pointer;background:#eee;transition:background .2s ease}.tl_panel .tl_submit,.tl_version_panel .tl_submit,.tl_formbody_submit .tl_submit{background:#fff}.tl_submit:hover{color:inherit;background-color:#f6f6f6}.tl_submit:active{color:#aaa}.tl_submit:disabled{cursor:default;background:#e9e9e9;color:#999}a.tl_submit{display:inline-block}.split-button{display:inline-block;position:relative;z-index:1}.split-button ul{position:absolute;right:0;bottom:20px;min-width:100%;background:#fff;border:1px solid #aaa;border-radius:2px;box-sizing:border-box;padding:3px 0;margin-bottom:1em}.split-button ul button{border:0;width:100%;text-align:left;white-space:nowrap}.split-button ul .tl_submit{margin-top:0;margin-bottom:0;background:#fff}.split-button ul .tl_submit:hover{background:#f3f3f3}.split-button ul:before{content:"";display:block;height:0;width:0;position:absolute;right:4px;bottom:-12px;z-index:89;border:inset 6px;border-top-style:solid;border-color:#fff transparent transparent}.split-button ul:after{content:"";display:block;height:0;width:0;position:absolute;right:3px;bottom:-14px;z-index:88;border:inset 7px;border-top-style:solid;border-color:#aaa transparent transparent}.split-button>button[type=submit]{position:relative;border-radius:2px 0 0 2px}.split-button>button[type=button]{padding:7px 4px;background:#fff;border:1px solid #aaa;border-left:0;border-radius:0 2px 2px 0;box-sizing:border-box;transition:background .2s ease}.split-button>button[type=button].active,.split-button>button[type=button]:hover{background:#f6f6f6}.split-button>button[type=button]:focus{outline:none}::-moz-placeholder{padding-top:1px}::-webkit-input-placeholder{padding-top:1px}.clr{clear:both;display:table}.w50{width:46%;float:left;height:80px}.long{width:96%}.wizard>a{vertical-align:middle}.wizard .tl_text,.wizard .tl_select{width:90%}.wizard .tl_text_2{width:45%}.wizard img{margin-left:4px}.long .tl_text,.long .tl_select{width:100%}.m12{margin:16px 2% 8px}.cbx{height:56px}.inline div{display:inline}.autoheight{height:auto}.tl_tip{height:14px;overflow:hidden;cursor:help}.tip-wrap{z-index:99}.tip{max-width:320px;padding:6px 9px;border-radius:2px;background:#333}.tip div{line-height:1.3}.tip div,.tip a{color:#fff}.tip-top{height:6px;position:absolute;top:-13px;border-left:7px solid transparent;border-right:7px solid transparent;border-bottom:7px solid #333}.hover-div:hover,.hover-row:hover td{background:#ebfdd7!important}@media (max-width:767px){.w50{float:none;width:auto}.cbx{height:32px}.tip{max-width:80vw}.tl_checkbox_container .tl_checkbox{margin-top:1px;margin-bottom:1px}.tl_checkbox_single_container label{position:relative;top:1px}} \ No newline at end of file diff --git a/src/Resources/contao/themes/flexible/src/basic.css b/src/Resources/contao/themes/flexible/src/basic.css index d23fcd477f..480f22e9da 100644 --- a/src/Resources/contao/themes/flexible/src/basic.css +++ b/src/Resources/contao/themes/flexible/src/basic.css @@ -457,6 +457,7 @@ a.tl_submit { /* Floats */ .clr { clear:both; + display:table; /* see #6093 */ } .w50 { width:46%; From 15ba1a08fca1925a16c60611431b4d35cc9e9f0c Mon Sep 17 00:00:00 2001 From: Hannes Date: Tue, 16 May 2017 12:43:41 +0200 Subject: [PATCH 08/12] Fix the path to the install tool in the language file (see #800). --- src/Resources/contao/languages/en/exception.xlf | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Resources/contao/languages/en/exception.xlf b/src/Resources/contao/languages/en/exception.xlf index 2511a7b52e..23a1437206 100644 --- a/src/Resources/contao/languages/en/exception.xlf +++ b/src/Resources/contao/languages/en/exception.xlf @@ -48,7 +48,7 @@ The installation has not been completed, therefore Contao cannot work properly. - Please open the Contao install tool (<code>/install.php</code>) in your browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. From 65d53006c09c894a813301f1a553c1dd45aa601a Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 16 May 2017 13:04:09 +0200 Subject: [PATCH 09/12] Correctly skip hidden items in the sitemap module (see #818). --- CHANGELOG.md | 1 + src/Resources/contao/modules/Module.php | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2bb2287f5f..b55f11c093 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ ### DEV + * Correctly skip hidden items in the sitemap module (see #818). * Correctly cache the unique keys in the SQL cache (see contao/core#8712). * Correctly generate the Contao language cache (see #784). diff --git a/src/Resources/contao/modules/Module.php b/src/Resources/contao/modules/Module.php index 34a0e5ade7..0e325cb98b 100644 --- a/src/Resources/contao/modules/Module.php +++ b/src/Resources/contao/modules/Module.php @@ -309,7 +309,7 @@ protected function renderNavigation($pid, $level=1, $host=null, $language=null) foreach ($objSubpages as $objSubpage) { // Skip hidden sitemap pages - if ($this instanceof ModuleSitemap && $objSubpages->sitemap == 'map_never') + if ($this instanceof ModuleSitemap && $objSubpage->sitemap == 'map_never') { continue; } From 66a5d71918f64393bfcf7a6ce0e03e999f5c0799 Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 16 May 2017 13:47:57 +0200 Subject: [PATCH 10/12] Fix the tests. --- tests/Fixtures/library/DcaExtractor.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/tests/Fixtures/library/DcaExtractor.php b/tests/Fixtures/library/DcaExtractor.php index f8b0198f58..7658bf8e93 100644 --- a/tests/Fixtures/library/DcaExtractor.php +++ b/tests/Fixtures/library/DcaExtractor.php @@ -29,6 +29,11 @@ public function getOrderFields() return []; } + public function getUniqueFields() + { + return []; + } + public function getKeys() { return []; From c171596d63ab9452d84f594b579e29cd76093abe Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 16 May 2017 14:07:38 +0200 Subject: [PATCH 11/12] Correctly save and duplicate in the parent view (see #797). --- CHANGELOG.md | 1 + src/Resources/contao/drivers/DC_Table.php | 50 ++++++++++------------- 2 files changed, 23 insertions(+), 28 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b55f11c093..2ba9086e7e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ ### DEV + * Correctly save and duplicate in the parent view (see #797). * Correctly skip hidden items in the sitemap module (see #818). * Correctly cache the unique keys in the SQL cache (see contao/core#8712). * Correctly generate the Contao language cache (see #784). diff --git a/src/Resources/contao/drivers/DC_Table.php b/src/Resources/contao/drivers/DC_Table.php index 5b42e3e59e..37a63d4c28 100644 --- a/src/Resources/contao/drivers/DC_Table.php +++ b/src/Resources/contao/drivers/DC_Table.php @@ -970,35 +970,29 @@ public function copy($blnDoNotRedirect=false) $this->set['tstamp'] = ($blnDoNotRedirect ? time() : 0); // Mark the new record with "copy of" (see #2938) - if (isset($GLOBALS['TL_DCA'][$this->strTable]['fields']['headline'])) + foreach (array_keys($GLOBALS['TL_DCA'][$this->strTable]['fields']) as $strKey) { - $headline = \StringUtil::deserialize($this->set['headline']); - - if (!empty($headline) && is_array($headline) && $headline['value'] != '') - { - $headline['value'] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $headline['value']); - $this->set['headline'] = serialize($headline); - } - } - elseif (isset($GLOBALS['TL_DCA'][$this->strTable]['fields']['name'])) - { - if ($this->set['name'] != '') - { - $this->set['name'] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $this->set['name']); - } - } - elseif (isset($GLOBALS['TL_DCA'][$this->strTable]['fields']['subject'])) - { - if ($this->set['subject'] != '') - { - $this->set['subject'] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $this->set['subject']); - } - } - elseif (isset($GLOBALS['TL_DCA'][$this->strTable]['fields']['title'])) - { - if ($this->set['title'] != '') + if (in_array($strKey, array('headline', 'name', 'subject', 'title'))) { - $this->set['title'] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $this->set['title']); + if ($strKey == 'headline') + { + $headline = \StringUtil::deserialize($this->set['headline']); + + if (!empty($headline) && is_array($headline) && $headline['value'] != '') + { + $headline['value'] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $headline['value']); + $this->set['headline'] = serialize($headline); + } + } + else + { + if ($this->set[$strKey] != '') + { + $this->set[$strKey] = sprintf($GLOBALS['TL_LANG']['MSC']['copyOf'], $this->set[$strKey]); + } + } + + break; } } @@ -2261,7 +2255,7 @@ public function edit($intId=null, $ajaxId=null) // Parent view elseif ($GLOBALS['TL_DCA'][$this->strTable]['list']['sorting']['mode'] == 4) { - $strUrl .= $this->Database->fieldExists('sorting', $this->strTable) ? '&act=copy&mode=1&pid=' . $this->intId . '&id=' . $this->intId : '&act=copy&mode=2&pid=' . $this->intId . '&id=' . $this->intId; + $strUrl .= $this->Database->fieldExists('sorting', $this->strTable) ? '&act=copy&mode=1&pid=' . $this->intId . '&id=' . $this->intId : '&act=copy&mode=2&pid=' . CURRENT_ID . '&id=' . $this->intId; } // List view From 8347adb77d95eec55f5df52c6b075c03690e167c Mon Sep 17 00:00:00 2001 From: Leo Feyer Date: Tue, 16 May 2017 15:25:07 +0200 Subject: [PATCH 12/12] Bump the version number. --- CHANGELOG.md | 2 +- src/Resources/contao/config/constants.php | 2 +- .../contao/languages/cs/exception.xlf | 3 +- .../contao/languages/da/exception.xlf | 2 +- .../contao/languages/de/exception.xlf | 4 +- .../contao/languages/es/exception.xlf | 3 +- .../contao/languages/fa/exception.xlf | 3 +- .../contao/languages/fr/exception.xlf | 3 +- src/Resources/contao/languages/fr/tl_page.xlf | 6 + .../contao/languages/hu/exception.xlf | 3 +- .../contao/languages/it/exception.xlf | 3 +- src/Resources/contao/languages/ja/default.xlf | 2 +- .../contao/languages/ja/exception.xlf | 3 +- .../contao/languages/nl/exception.xlf | 3 +- .../contao/languages/rm/exception.xlf | 2 +- .../contao/languages/ru/exception.xlf | 3 +- .../contao/languages/sl/exception.xlf | 3 +- .../contao/languages/sl/tl_settings.xlf | 9 ++ .../contao/languages/sl/tl_style_sheet.xlf | 2 + .../contao/languages/sr/countries.xlf | 40 +++--- src/Resources/contao/languages/sr/default.xlf | 66 +++++----- .../contao/languages/sr/exception.xlf | 7 +- src/Resources/contao/languages/sr/explain.xlf | 18 +-- src/Resources/contao/languages/sr/modules.xlf | 24 ++-- .../contao/languages/sr/tl_content.xlf | 20 +-- src/Resources/contao/languages/sr/tl_form.xlf | 4 +- .../contao/languages/sr/tl_form_field.xlf | 2 +- .../languages/sr/tl_image_size_item.xlf | 6 +- .../contao/languages/sr/tl_layout.xlf | 2 +- src/Resources/contao/languages/sr/tl_log.xlf | 6 +- .../contao/languages/sr/tl_maintenance.xlf | 6 +- .../contao/languages/sr/tl_member.xlf | 22 ++-- .../contao/languages/sr/tl_member_group.xlf | 10 +- .../contao/languages/sr/tl_module.xlf | 118 +++++++++--------- src/Resources/contao/languages/sr/tl_page.xlf | 75 ++++++----- .../contao/languages/sr/tl_settings.xlf | 47 +++---- .../contao/languages/sr/tl_style.xlf | 109 ++++++++-------- .../contao/languages/sr/tl_style_sheet.xlf | 62 ++++----- .../contao/languages/sr/tl_templates.xlf | 4 +- .../contao/languages/sr/tl_theme.xlf | 60 ++++----- src/Resources/contao/languages/sr/tl_undo.xlf | 10 +- src/Resources/contao/languages/sr/tl_user.xlf | 51 ++++---- .../contao/languages/sr/tl_user_group.xlf | 2 +- .../contao/languages/sv/exception.xlf | 2 +- .../contao/languages/zh/exception.xlf | 3 +- 45 files changed, 428 insertions(+), 409 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2ba9086e7e..b6fcbf2a6c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,6 @@ # Contao core bundle change log -### DEV +### 4.3.10 (2017-05-16) * Correctly save and duplicate in the parent view (see #797). * Correctly skip hidden items in the sitemap module (see #818). diff --git a/src/Resources/contao/config/constants.php b/src/Resources/contao/config/constants.php index 9d66dfe21f..cf6a9cd5fa 100644 --- a/src/Resources/contao/config/constants.php +++ b/src/Resources/contao/config/constants.php @@ -10,7 +10,7 @@ // Core version define('VERSION', '4.3'); -define('BUILD', '9'); +define('BUILD', '10'); define('LONG_TERM_SUPPORT', false); // Link constants diff --git a/src/Resources/contao/languages/cs/exception.xlf b/src/Resources/contao/languages/cs/exception.xlf index 8c46e42859..803b3fd48a 100644 --- a/src/Resources/contao/languages/cs/exception.xlf +++ b/src/Resources/contao/languages/cs/exception.xlf @@ -61,8 +61,7 @@ Instalace nebyla dokončena, proto nebude moct Contao fungovat správně. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Prosím spuťte instalační nástroj Contaa tím, že do adresního pole Vašeho prohlížeče zadáte <code>/contao/install</code>. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/da/exception.xlf b/src/Resources/contao/languages/da/exception.xlf index 8e3625f5eb..5327e6962f 100644 --- a/src/Resources/contao/languages/da/exception.xlf +++ b/src/Resources/contao/languages/da/exception.xlf @@ -59,7 +59,7 @@ Installationen er ikke færdiggjort, derfor fungerer Contao ikke korrekt. - Please open the Contao install tool (<code>/install.php</code>) in your browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/de/exception.xlf b/src/Resources/contao/languages/de/exception.xlf index fbb92ec59d..b5fbb5fbcd 100644 --- a/src/Resources/contao/languages/de/exception.xlf +++ b/src/Resources/contao/languages/de/exception.xlf @@ -62,8 +62,8 @@ Die Installation wurde nicht abgeschlossen, daher kann Contao nicht korrekt funktionieren. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Bitte öffnen Sie das Contao-Installtool (<code>/install.php</code>) in Ihrem Browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. + Bitte öffnen Sie das Contao-Installtool (<code>/contao/install</code>) in Ihrem Browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/es/exception.xlf b/src/Resources/contao/languages/es/exception.xlf index 5c4171120a..184ee5f9de 100644 --- a/src/Resources/contao/languages/es/exception.xlf +++ b/src/Resources/contao/languages/es/exception.xlf @@ -62,8 +62,7 @@ La instalación no se pudo finalizar, por lo tanto Contao no funcionará debidamente. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Por favor abra el instalador de Contao añadiendo en su navegador (<code>/install.php</code>). + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/fa/exception.xlf b/src/Resources/contao/languages/fa/exception.xlf index 1796d264f7..32401b7475 100644 --- a/src/Resources/contao/languages/fa/exception.xlf +++ b/src/Resources/contao/languages/fa/exception.xlf @@ -61,8 +61,7 @@ نصب تکمیل نشده است، بنابراین کانتائو به درستی کار نخواهد کرد. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - لطفا ابزار نصب کانتائو <code>/install.php</code> را در مرورگرتان باز کنید. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/fr/exception.xlf b/src/Resources/contao/languages/fr/exception.xlf index 3a12ab32cc..8b336063ec 100644 --- a/src/Resources/contao/languages/fr/exception.xlf +++ b/src/Resources/contao/languages/fr/exception.xlf @@ -62,8 +62,7 @@ L'installation n'a pas été terminée, par conséquent Contao ne peut pas fonctionner correctement. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Veuillez, s'il vous plaît, ouvrir l'outil d'installation de Contao (<code>/install.php</code>) dans votre navigateur. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/fr/tl_page.xlf b/src/Resources/contao/languages/fr/tl_page.xlf index 6ec5177fd0..8faee7c4b0 100644 --- a/src/Resources/contao/languages/fr/tl_page.xlf +++ b/src/Resources/contao/languages/fr/tl_page.xlf @@ -203,21 +203,27 @@ Set cache timeouts + Définir les délais d'attente du cache Set cache timeout values for the page and its subpages. + Définissez les valeurs de délai d'attente du cache pour la page et ses sous-pages. Server cache timeout + Délai d'attente du cache du serveur The number of seconds after which the page should no longer be considered fresh by shared caches. + Le nombre de secondes après lesquelles la page ne devrait plus être considérée comme nouvelle par des caches partagés. Client cache timeout + Délai d'attente du cache du client The number of seconds after which the page should no longer be considered fresh by the browser. + Le nombre de secondes après lequel la page ne devrait plus être considérée comme nouvelle par le navigateur. Assign access rights diff --git a/src/Resources/contao/languages/hu/exception.xlf b/src/Resources/contao/languages/hu/exception.xlf index 62af4426dd..64a0115a2b 100644 --- a/src/Resources/contao/languages/hu/exception.xlf +++ b/src/Resources/contao/languages/hu/exception.xlf @@ -61,8 +61,7 @@ A telepítés nem fejeződött be, ezért a Contao nem működik megfelelően. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Nyissa meg a Contao telepítő eszközt (<code>/install.php</code>) a böngészőjében. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/it/exception.xlf b/src/Resources/contao/languages/it/exception.xlf index ee87488f8d..3c83714ab4 100644 --- a/src/Resources/contao/languages/it/exception.xlf +++ b/src/Resources/contao/languages/it/exception.xlf @@ -61,8 +61,7 @@ Installazione non completata. Contao non è in grado di funzionare in modo corretto. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Apri lo strumento di installazione Contao (<code>/install.php</code>) sul tuo browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/ja/default.xlf b/src/Resources/contao/languages/ja/default.xlf index 84a1e6744e..3bd62f1bc4 100644 --- a/src/Resources/contao/languages/ja/default.xlf +++ b/src/Resources/contao/languages/ja/default.xlf @@ -843,7 +843,7 @@ Please upload the CSV files to be imported. - インポートsuするCSVファイルをアップロードしてください。 + インポートするCSVファイルをアップロードしてください。 Comma diff --git a/src/Resources/contao/languages/ja/exception.xlf b/src/Resources/contao/languages/ja/exception.xlf index b9463eca1c..bd965d281f 100644 --- a/src/Resources/contao/languages/ja/exception.xlf +++ b/src/Resources/contao/languages/ja/exception.xlf @@ -62,8 +62,7 @@ インストールは完了していません、このためContaoは適切に動作しません。 - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Contaoのインストールツール(<code>/install.php</code>ブラウザーで開いてください。 + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/nl/exception.xlf b/src/Resources/contao/languages/nl/exception.xlf index 79cf342af0..962b821883 100644 --- a/src/Resources/contao/languages/nl/exception.xlf +++ b/src/Resources/contao/languages/nl/exception.xlf @@ -62,8 +62,7 @@ De installatie is niet voltooid, hierdoor zal Contao niet naar behoren werken. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Open het Contao installatie tool (<code>/install.php</code>) in uw browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/rm/exception.xlf b/src/Resources/contao/languages/rm/exception.xlf index a150818385..fe4a6f35b5 100644 --- a/src/Resources/contao/languages/rm/exception.xlf +++ b/src/Resources/contao/languages/rm/exception.xlf @@ -60,7 +60,7 @@ L'installaziun n'è betg vegnida cumplettada, perquai na funcziunescha Contao betg correctamain. - Please open the Contao install tool (<code>/install.php</code>) in your browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/ru/exception.xlf b/src/Resources/contao/languages/ru/exception.xlf index 3de15d5ed3..bf46f34618 100644 --- a/src/Resources/contao/languages/ru/exception.xlf +++ b/src/Resources/contao/languages/ru/exception.xlf @@ -62,8 +62,7 @@ Установка не завершена, поэтому Contao не cможет работать как положено. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Откройте мастер установки Contao указав в браузере ссылку (<code>/install.php</code>). + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/sl/exception.xlf b/src/Resources/contao/languages/sl/exception.xlf index c4daefd03a..857d6198d2 100644 --- a/src/Resources/contao/languages/sl/exception.xlf +++ b/src/Resources/contao/languages/sl/exception.xlf @@ -59,8 +59,7 @@ Namestitev ni bila zaključena, zato Contao ne bo deloval pravilno. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Prosimo, odprite Namestitveno orodje za Contao (<code>/install.php</code>) v vašem brskalniku. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/sl/tl_settings.xlf b/src/Resources/contao/languages/sl/tl_settings.xlf index beaeba6814..72f2a7b946 100644 --- a/src/Resources/contao/languages/sl/tl_settings.xlf +++ b/src/Resources/contao/languages/sl/tl_settings.xlf @@ -103,6 +103,7 @@ Here you can enter a comma separated list of folders which will be exempt from the files synchronization (e.g. <em>attachments,music_academy</em>). Note that excluded resources cannot be used in e.g. image or download elements! + Tukaj vpišite seznam direktorijev, ločenih z vejico, ki bodo izločeni iz sinhronizacije datotek (primer: <em>attachments,music_academy</em>). Izločenih virov ni mogoče uporabljati v slika ali prenos elementu. Do not collapse elements @@ -114,9 +115,11 @@ SSL proxy domain + SSL proxy domena If your website is available via an SSL proxy server, please enter its domain here (e.g. <em>sslsites.de</em>). + Če je vaša spletna stran dosegljiva preko SSL proxy strežnika, vpišite njeno domeno tukaj (primer: <em>sslsites.si</em>). Anonymize IP addresses @@ -140,6 +143,7 @@ For an empty URL display the website instead of redirecting to the language root page (not recommended). + Za prazen URL naslov, prikaži spletno stran namesto preusmeritve na korensko stran jezika (ni priporočljivo). Enable auto_item @@ -147,12 +151,15 @@ Skip the <em>items/</em> or <em>events/</em> fragment in the URL and automatically discover the item based on the <em>auto_item</em> parameter. + Preskoči <em>items/</em> ali <em>events/</em> del URL naslova in avtomatično pridobi postavko glede na <em>auto_item</em> parameter. Enable folder URLs + Vklopi URL direktorije Here you can enable folder-style page aliases like <em>docs/install/download.html</em> instead of <em>docs-install-download.html</em>. + Tukaj lahko vklopite aliase strani v obliki direktorijev, kot naprimer <em>docs/install/download.html</em> namesto <em>docs-install-download.html</em>. Allowed HTML tags @@ -168,6 +175,7 @@ Do not check the request token when a form is submitted (insecure!). + Ne preveri žetona zahteve ob predložitvi obrazca (ni varno). Account locking time @@ -359,6 +367,7 @@ Proxy configuration + Nastavitev proxy Privacy settings diff --git a/src/Resources/contao/languages/sl/tl_style_sheet.xlf b/src/Resources/contao/languages/sl/tl_style_sheet.xlf index d560088697..9c91bd3152 100644 --- a/src/Resources/contao/languages/sl/tl_style_sheet.xlf +++ b/src/Resources/contao/languages/sl/tl_style_sheet.xlf @@ -155,9 +155,11 @@ Export style sheet + Izvozi slogovno predlogo Export style sheet ID %s + Izvozi slogovno predlogo ID %s diff --git a/src/Resources/contao/languages/sr/countries.xlf b/src/Resources/contao/languages/sr/countries.xlf index 0d2214e386..310d14d8d0 100644 --- a/src/Resources/contao/languages/sr/countries.xlf +++ b/src/Resources/contao/languages/sr/countries.xlf @@ -59,7 +59,7 @@ Åland Islands - Оландска острва + Оландска oстрва Azerbaijan @@ -155,7 +155,7 @@ Cocos (Keeling) Islands - Кокосова острва + Кокосова (Килингова) острва Congo - Kinshasa @@ -211,7 +211,7 @@ Cape Verde - Кејп Верде + Кабо Верде Curaçao @@ -311,7 +311,7 @@ France - Франсуцка + Француска Gabon @@ -395,7 +395,7 @@ Heard and McDonald Islands - Хердова и Мекдоналдова Острва + Хердово острво и Мекдоналдова острва Honduras @@ -439,7 +439,7 @@ British Indian Ocean Territory - Океанска Територија Британске Индије + Британска територија у Индијском океану Iraq @@ -495,7 +495,7 @@ St. Kitts and Nevis - Свети Китс и Невис + Св. Китс и Невис North Korea @@ -511,7 +511,7 @@ Cayman Islands - Кајманска Острва + Кајманска острва Kazakhstan @@ -527,7 +527,7 @@ St. Lucia - Света Луција + Св. Лусија Liechtenstein @@ -579,7 +579,7 @@ St. Martin - Свети Мартин + Св. Мартин Madagascar @@ -587,7 +587,7 @@ Marshall Islands - Маршалова Острва + Маршалова острва Macedonia @@ -611,7 +611,7 @@ Northern Mariana Islands - Северна Маријанска Острва + Сјеверна Маријанска острва Martinique @@ -667,7 +667,7 @@ Norfolk Island - Норфолкска Острва + Норфолкска острва Nigeria @@ -735,7 +735,7 @@ St. Pierre and Miquelon - Свети Пјер и Миквелон + Св. Пјер и Микелон Pitcairn Islands @@ -791,7 +791,7 @@ Solomon Islands - Соломонска Острва + Соломонска острва Seychelles @@ -811,7 +811,7 @@ St. Helena - Света Јелена + Св. Хелена Slovenia @@ -819,7 +819,7 @@ Svalbard and Jan Mayen - Свалбард и Јан Мајен + Свалбард и Острво Јан Мајен Slovakia @@ -859,7 +859,7 @@ Sint Maarten - Свети Мартен + Св. Мартен Syria @@ -883,7 +883,7 @@ French Southern Territories - Француска Јужна Територија + Француске јужне територије Togo @@ -967,7 +967,7 @@ St. Vincent and Grenadines - Свети Винсент и Гренадини + Св. Винсент и Гренадини Venezuela diff --git a/src/Resources/contao/languages/sr/default.xlf b/src/Resources/contao/languages/sr/default.xlf index 60063d0116..f158226ef1 100644 --- a/src/Resources/contao/languages/sr/default.xlf +++ b/src/Resources/contao/languages/sr/default.xlf @@ -59,19 +59,19 @@ For security reasons you can not use the following characters here: =<>&/()# - Из разлога сигурности, овде не можете користити знакове: =<>&/()# + Из безбедосних разлога, овде не можете користити знакове: =<>&/()# Please enter a valid e-mail address! - Унесите валидну e-mail адресу! + Унесите исправну имејл адресу! There is at least one invalid e-mail address! - Најмање једна e-mail адреса није валидна! + Најмање једна имејл адреса није исправна! Please enter a valid URL format and encode special characters! - Унесите валидан формат URL-а а специјалне карактере енкодирајте! + Унесите исправан формат URL а специјалне карактере енкодирајте! Please enter a valid locale such as "en" or "en_US"! @@ -111,11 +111,11 @@ The name of at least one uploaded file contains invalid characters or exceeds the maximum length of 255 characters! - Име барем једног од фајлова постављених на сервер садржи неправилне карактере или превазилази максималну дужину од 255 знакова! + Име барем једног од фајлова постављених на сервер садржи неправилне знакове или превазилази максималну дужину од 255 знакова! The maximum size for file uploads is %s (Contao or php.ini settings)! - Максимална величина фајлова који се копирају на сервер је %s (Contao или php.ini подешавања)! + Максимална величина фајлова који се копирају на сервер је %s (проверите Contao или php.ini подешавања)! File type "%s" is not allowed to be uploaded! @@ -207,7 +207,7 @@ Invalid redirect target (circular reference)! - Неисправно одредиште преусмеравања (кружна референца)! + Неисправно одредиште преусмерења (кружна референца)! None of the active website root pages without an explicit DNS setting has the language fallback option set. @@ -215,7 +215,7 @@ None of the active website root pages for <strong>%s</strong> has the language fallback option set. - Нити једна од активних root страница за <strong>%s</strong> нема постављен резервни језик. + Нити једна од активних root страница за <strong>%s</strong> нема постављен резервни језик. You can only define one website root page per domain as language fallback. @@ -299,7 +299,7 @@ Allows you to add custom HTML code. - Омогућавање властитог HTML кода. + Омогућавање прилагођеног HTML кода. List @@ -315,7 +315,7 @@ Generates an optionally sortable table. - Генерисање табеле која се опционо може сортирати. + Генерисање табеле која се по потреби може сортирати. Accordion @@ -347,11 +347,11 @@ Code - Код + Кȏд: Highlights code snippets and prints them to the screen. - Наглашавање делова кода и штампање истих на екран. + Наглашавање делова кȏда и штампање истих на екран. Markdown @@ -519,7 +519,7 @@ External redirect - Вањско преусмеравање + Вањско преусмерeње This type of page automatically redirects visitors to an external website. It works like a hyperlink. @@ -527,7 +527,7 @@ Internal redirect - Интерно преусмеравање + Интерно преусмерeње This type of page automatically forwards visitors to another page within the site structure. @@ -595,7 +595,7 @@ Synchronize the file system with the database - Синхронизуј фајл систем са базом података + Синхронизуј систем фајлова са базом података Edit page @@ -711,11 +711,11 @@ June - Јун + Јуни July - Јул + Јули August @@ -807,7 +807,7 @@ Please enter a web address (http://…), an e-mail address (mailto:…) or an insert tag. - Унесите адресу сајта (http://…), мејл адресу (mailto:…) или инсерт таг. + Унесите адресу сајта (http://…), имејл адресу (mailto:…) или таг за уметање. Open in new window @@ -871,7 +871,7 @@ Duplicate the element - Направи копију елемента + Копирај елемент Move the element one position up @@ -1011,7 +1011,7 @@ Caption - Заглавље + Текст испод слике Delete the language @@ -1227,19 +1227,19 @@ Your previous login was %s. Welcome back! - Ваша претходна пријава је била %s. Добродошли назад! + Ваша претходна пријава је била %s. Добро дошли назад! Last login - Последња пријава + Претходна пријава Last login: %s - Последња пријава: %s + Претходна пријава: %s This seems to be your first login. Welcome to Contao! - Изгледа да је ово први пут да се пријављујете. Добродошли у Contao! + Изгледа да је ово први пут да се пријављујете. Добро дошли у Contao! Login attempts @@ -1316,13 +1316,13 @@ The account has been locked for %d minutes, because the user has entered an inva This e-mail has been generated by Contao. You can not reply to it directly. - Следећи Contao налог је закључан из сигурносних разлога. + Следећи Contao налог је закључан из безбедносних разлога. Корисник: %s Име: %s Сајт: %s -минута, зато што је корисник погрешио лозинку узастопно три пута. Након истека наведеног периода , налог ће бити откључан аутоматски. +Налог је закључан у трајању %d минута, зато што је корисник погрешио лозинку узастопно три пута. Након истека наведеног периода , налог ће бити откључан аутоматски. Мејл је аутоматски генерисао Contao систем. Немојте одговарати директно на њега. @@ -1332,7 +1332,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. Go to the mobile version - Иди на мобилну верзију + Иди на верзију прилагођену мобилним уређајима Desktop version @@ -1340,7 +1340,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. Go to the desktop version - Иди на десктоп верзију + Иди на верзију прилагођену десктоп уређајима Go to front end @@ -1516,7 +1516,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. Please enter a new password. - Молимо Вас да унесете лозинку + Унесите лозинку The password has been updated. @@ -1880,7 +1880,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. E-mail address - E-mail адреса + Имејл адреса Register @@ -1888,7 +1888,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. The activation mail has been re-sent to your e-mail address. - Мејл за активацију је поново послат на вашу e-mail адресу. + Мејл за активацију је поново послат на вашу имејл адресу. Your account has been activated. @@ -1908,7 +1908,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. A new member (ID %s) has registered at your website.%sIf you did not allow e-mail activation, you have to enable the account manually in the back end. - Нови члан (ID %s) се регистровао на вашем сајту. %s Ако нисте одобрили активацију путем e-maila, морате ручно да активирате налог у БекЕнду. + Нови члан (ID %s) се регистровао на вашем сајту. %s Ако нисте одобрили активацију путем имејла, морате ручно да активирате налог у БекЕнду. Request password @@ -2180,7 +2180,7 @@ This e-mail has been generated by Contao. You can not reply to it directly. Sorry, item "%s" does not exist. - Извините, али ставка "%s" не постоји. + Жао нам је, али ставка "%s" не постоји. Order by %s diff --git a/src/Resources/contao/languages/sr/exception.xlf b/src/Resources/contao/languages/sr/exception.xlf index 8d8145a4ba..340809e747 100644 --- a/src/Resources/contao/languages/sr/exception.xlf +++ b/src/Resources/contao/languages/sr/exception.xlf @@ -23,7 +23,7 @@ An error occurred while executing this script. Something does not work properly. - Дошло је до грешке приликом извршавања скрипта. Нешто не ради исправно. + Дошло је до грешке приликом извршавања скрипте. Нешто не ради исправно. Open the current log file in the <code>var/logs</code> or <code>app/logs</code> directory and find the associated error message (usually the last one). @@ -51,7 +51,7 @@ For more information, search the <a href="https://contao.org/faq.html" target="_blank">Contao FAQs</a> or visit the <a href="https://contao.org/support.html" target="_blank">Contao support page</a>. - За више информација, претражите <a href="https://contao.org/faq.html" target="_blank">Contao FAQs</a> или постетите <a href="https://contao.org/support.html" target="_blank">Contao support page</a>. + За више информација, претражите <a href="https://contao.org/faq.html" target="_blank">Contao FAQs</a> или посетите <a href="https://contao.org/support.html" target="_blank">Contao support page</a>. Incomplete installation @@ -62,8 +62,7 @@ Инсталација није комплетирана, те Contao систем не може радити исправно. - Please open the Contao install tool (<code>/install.php</code>) in your browser. - Отворите инсталациони алат за Contao (<code>/install.php</code>) у Вашем интернет прегледачу. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/sr/explain.xlf b/src/Resources/contao/languages/sr/explain.xlf index 21601640ee..b1282c0e08 100644 --- a/src/Resources/contao/languages/sr/explain.xlf +++ b/src/Resources/contao/languages/sr/explain.xlf @@ -11,11 +11,11 @@ Insert tags - Уметни тагове + Уметање тагова For more information on insert tags please visit <a href="https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html" title="Contao online documentation" target="_blank">https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html</a>. - За више информација о таговима за уметање, посетите <a href="https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html" title="Contao online documentation" target="_blank">https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html</a>. + За више информација о таговима које можете уметнути, посетите <a href="https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html" title="Contao online documentation" target="_blank">https://docs.contao.org/books/manual/current/en/04-managing-content/insert-tags.html</a>. Code editor @@ -23,7 +23,7 @@ For more information about Ace please visit <a href="http://ace.c9.io" title="Ace - The High Performance Code Editor for the Web" target="_blank">http://ace.c9.io</a>. - За више инфомрација о Ace, посетите <a href="http://ace.c9.io" title="Ace - The High Performance Code Editor for the Web" target="_blank">http://ace.c9.io</a>. + За више информација о Ace, посетите <a href="http://ace.c9.io" title="Ace - The High Performance Code Editor for the Web" target="_blank">http://ace.c9.io</a>. colspan @@ -47,7 +47,7 @@ MM/DD/YYYY, English format, e.g. 01/28/2005 - MM/DD/YYYY, Енглески формат, нпр., 01/28/2005 + MM/DD/YYYY, Енглески формат, нпр. 01/28/2005 d.m.Y @@ -55,7 +55,7 @@ DD.MM.YYYY, German format, e.g. 28.01.2005 - DD.MM.YYYY, Немачки формат, нпр., 28.01.2005 + DD.MM.YYYY, Немачки формат, нпр. 28.01.2005 y-n-j @@ -63,7 +63,7 @@ YY-M-D, without leading zeros, e.g. 05-1-28 - YY-M-D, без водећих нула, нпр., 05-1-28 + YY-M-D, без водећих нула, нпр. 05-1-28 Ymd @@ -71,7 +71,7 @@ YYYYMMDD, timestamp, e.g. 20050128 - YYYYMMDD, timestamp, нпр., 20050128 + YYYYMMDD, timestamp, нпр. 20050128 H:i:s @@ -79,7 +79,7 @@ 24 hours, minutes and seconds, e.g. 20:36:59 - 24 часа, минуте и секунде, нпр., 20:36:59 + 24 часа, минуте и секунде, нпр. 20:36:59 g:i @@ -87,7 +87,7 @@ 12 hours without leading zeros and minutes, e.g. 8:36 - 12 часова без водеће нуле и минуте, нпр., 8:36 + 12 часова без водеће нуле и минуте, нпр. 8:36 Sizes attribute diff --git a/src/Resources/contao/languages/sr/modules.xlf b/src/Resources/contao/languages/sr/modules.xlf index 665c5a2c00..8f44866477 100644 --- a/src/Resources/contao/languages/sr/modules.xlf +++ b/src/Resources/contao/languages/sr/modules.xlf @@ -39,7 +39,7 @@ Set up the site structure of your website(s) - Постављање структуре сајта/ова + Постављање структуре сајта(ова) Templates @@ -143,7 +143,7 @@ Style sheets - Стилови + Колекције стилова Front end modules @@ -163,7 +163,7 @@ Style sheets - Стилови + Колекције стилова Front end modules @@ -227,7 +227,7 @@ Generates a custom drop-down menu - Израда прилагођеног drop-down менија + Израда прилагођеног падајућег менија Book navigation @@ -271,7 +271,7 @@ Automatically logs out a user - Аутоматски одјављује корисника + Аутоматско одјављивање корисника Personal data @@ -279,7 +279,7 @@ Generates a form to edit a user's personal data - Израда форме за уређивање личних података корисника + Израда формулара за уређивање личних података корисника Registration @@ -287,7 +287,7 @@ Generates a user registration form - Израда форме за регистрацију корисника + Израда формулара за регистрацију корисника Change password @@ -295,7 +295,7 @@ Generates a form to change the password - Израда форме за ресет лозинке + Израда формулара за ресет лозинке Lost password @@ -303,7 +303,7 @@ Generates a form to request a new password - Израда форме за захтев за нову лозинку + Израда формулара захтева за нову лозинку Close account @@ -347,11 +347,11 @@ Flash movie - Флеш видео + Flash видео Embeds a Flash movie into the page - Уметање флеш видео фајла у страницу + Уметање flash видео фајла у страницу Random image @@ -363,7 +363,7 @@ Custom HTML - Додатни HTML код + Прилагођени HTML кȏд Allows you to add custom HTML code diff --git a/src/Resources/contao/languages/sr/tl_content.xlf b/src/Resources/contao/languages/sr/tl_content.xlf index 3b138c0b4f..77185dde2a 100644 --- a/src/Resources/contao/languages/sr/tl_content.xlf +++ b/src/Resources/contao/languages/sr/tl_content.xlf @@ -79,7 +79,7 @@ A custom image link target will override the lightbox link, so the image cannot be viewed fullsize anymore. - Додајте линк ка некој дестинацији - URL-у на који ће посетилац да иде кликом на слику. Ако одаберете ову опцију, слика неће моћи да се прикаже у пуној величини. + Додајте линк ка некој дестинацији - URL на који ће посетилац да иде кликом на слику. Ако одаберете ову опцију, слика неће моћи да се прикаже у пуној величини. Full-size view/new window @@ -187,7 +187,7 @@ Sort order - Начин сортирања + Редослед сортирања Please choose the sort order. @@ -231,7 +231,7 @@ Please enter the headline of the content pane. HTML tags are allowed. - Унесите наслов акордиона (дозвољена је употреба HTML тагова). + Унесите наслов акордиона. Дозвољена је употреба HTML тагова. CSS format @@ -279,7 +279,7 @@ The link text will be displayed instead of the target URL. - Текст ће бити приказан уместо одредишног URL-a. + Текст ће бити приказан уместо одредишног URL. Link title @@ -323,11 +323,11 @@ Sort order - Начин сортирања + Редослед сортирања The sort order of the items. - Распоред сортирања ставки. + Редослед сортирања ставки. Use home directory @@ -339,7 +339,7 @@ Thumbnails per row - сличице по реду + сличица по реду The number of image thumbnails per row. @@ -387,7 +387,7 @@ Custom element template - Произвољни шаблон елемента + Прилагођени шаблон елемента Here you can overwrite the default element template. @@ -675,7 +675,7 @@ Custom order - Произвољни редослед + Прилагођени редослед Random order @@ -719,7 +719,7 @@ Duplicate content element ID %s - Кпирај елемент ID %s + Копирај елемент ID %s Delete element diff --git a/src/Resources/contao/languages/sr/tl_form.xlf b/src/Resources/contao/languages/sr/tl_form.xlf index d89761f28d..0052f7e4fe 100644 --- a/src/Resources/contao/languages/sr/tl_form.xlf +++ b/src/Resources/contao/languages/sr/tl_form.xlf @@ -27,11 +27,11 @@ Send form data via e-mail - Пошаљи податке из формулара преко email-а + Пошаљи податке из формулара имејлом Send the submitted data to an e-mail address. - Пошаљи податке из формулара на e-mail адресу. + Пошаљи податке из формулара на имејл адресу. Recipient address diff --git a/src/Resources/contao/languages/sr/tl_form_field.xlf b/src/Resources/contao/languages/sr/tl_form_field.xlf index 2213f76827..5f3cb1bdac 100644 --- a/src/Resources/contao/languages/sr/tl_form_field.xlf +++ b/src/Resources/contao/languages/sr/tl_form_field.xlf @@ -247,7 +247,7 @@ Checks whether the input is a valid URL. - Провери да ли је унешен исправан формат URL-а. + Провери да ли је унешен исправан формат URL. Placeholder diff --git a/src/Resources/contao/languages/sr/tl_image_size_item.xlf b/src/Resources/contao/languages/sr/tl_image_size_item.xlf index d44bbb4e51..de74845de9 100644 --- a/src/Resources/contao/languages/sr/tl_image_size_item.xlf +++ b/src/Resources/contao/languages/sr/tl_image_size_item.xlf @@ -3,7 +3,7 @@ Media query - Media-Query + Медијски упит Here you can define when to use the image size, e.g. <em>(max-width: 600px)</em>. @@ -39,11 +39,11 @@ New image size media query - Новa величина слике за Media-Query + Нови Media-Query за величину слике Create a new image size media query - Креирај нову величину слике за Media-Query + Креирај нови Media-Query за величину слике Image size media query details diff --git a/src/Resources/contao/languages/sr/tl_layout.xlf b/src/Resources/contao/languages/sr/tl_layout.xlf index 9c9c138c5d..a6396c228c 100644 --- a/src/Resources/contao/languages/sr/tl_layout.xlf +++ b/src/Resources/contao/languages/sr/tl_layout.xlf @@ -211,7 +211,7 @@ Sort order - Начин сортирања + Редослед сортирања The sort order of the style sheets. diff --git a/src/Resources/contao/languages/sr/tl_log.xlf b/src/Resources/contao/languages/sr/tl_log.xlf index 07b8172203..8471510819 100644 --- a/src/Resources/contao/languages/sr/tl_log.xlf +++ b/src/Resources/contao/languages/sr/tl_log.xlf @@ -7,11 +7,11 @@ Date and time of the log entry - Датум и време записа лога + Датум и време записа дневника Origin - Порекло + Извор Back end or front end @@ -39,7 +39,7 @@ Details of the log entry - Детаљи записа лога + Детаљи записа дневника Function diff --git a/src/Resources/contao/languages/sr/tl_maintenance.xlf b/src/Resources/contao/languages/sr/tl_maintenance.xlf index 704f0b4bf0..49ff3efff7 100644 --- a/src/Resources/contao/languages/sr/tl_maintenance.xlf +++ b/src/Resources/contao/languages/sr/tl_maintenance.xlf @@ -103,7 +103,7 @@ Truncates the <code>tl_log</code> table which stores all the system log entries. This job permanently deletes these records. - Пражњење табеле <code>tl_log</code> у којој су смештени записи лога. Након тога, ови записи ће бити трајно обрисани. + Пражњење табеле <code>tl_log</code> у којој су смештени записи дневника. Након тога, ови записи ће бити трајно обрисани. Purge the image cache @@ -111,7 +111,7 @@ Removes the automatically generated images and then purges the page cache, so there are no links to deleted resources. - Уклањање аутоматски генерисане сличице и онда чисти кеш страница, тако да не постоје линкови према обрисаним ресурсима. + Уклањање аутоматски генерисаних сличица и чишћење кеша страница, тако да не постоје линкови према обрисаним ресурсима. Purge the script cache @@ -119,7 +119,7 @@ Removes the automatically generated <code>.css</code> and <code>.js</code> files, recreates the internal style sheets and then purges the page cache. - Уклања аутоматски генерисане <code>.css</code> и <code>.js</code> фајлове, поново креира интерне стилове и након тога брише кеш страница. + Уклањање аутоматски генерисаних <code>.css</code> и <code>.js</code> фајлова, те поновно креирање интерних колекција стилова и након тога брисање кеша страница. Purge the page cache diff --git a/src/Resources/contao/languages/sr/tl_member.xlf b/src/Resources/contao/languages/sr/tl_member.xlf index 2a9d6ffd11..80a9e730e3 100644 --- a/src/Resources/contao/languages/sr/tl_member.xlf +++ b/src/Resources/contao/languages/sr/tl_member.xlf @@ -35,7 +35,7 @@ Company - Фирма + Фирма/Компанија Here you can enter a company name. @@ -67,7 +67,7 @@ State - Статус + Провинција/Република/Област Plase enter the name of the state. @@ -107,11 +107,11 @@ E-mail address - E-mail адреса + Имејл адреса Please enter a valid e-mail address. - Унесите исправну email адресу. + Унесите исправну имејл адресу. Website @@ -131,7 +131,7 @@ Member groups - Чланске групе + Групе чланова Here you can assign the member to one or more groups. @@ -143,7 +143,7 @@ Allow the member to log into the front end. - Дозволи члану да се пријави у фронт-енд. + Дозволи члану да се пријави у ФронтЕнд. Username @@ -159,7 +159,7 @@ Define a home directory for the member. - Дефиниши почетни директоријум корисника. + Дефинисање почетног директоријума корисника. Home directory @@ -175,7 +175,7 @@ Temporarily disable the account. - Привремено онемогући налог. + Привремено онемогући кориштење налога. Activate on @@ -207,7 +207,7 @@ Member groups - Чланске групе + Групе чланова Login details @@ -279,11 +279,11 @@ Activate/deactivate member - Активира/деактивирај члана + Активирање/Деактивирање члана Activate/deactivate member ID %s - Активирај/деактивирај члана ID %s + Активирање/Деактивирање члана ID %s Preview diff --git a/src/Resources/contao/languages/sr/tl_member_group.xlf b/src/Resources/contao/languages/sr/tl_member_group.xlf index 3c864c09a7..8ce0a6456e 100644 --- a/src/Resources/contao/languages/sr/tl_member_group.xlf +++ b/src/Resources/contao/languages/sr/tl_member_group.xlf @@ -11,7 +11,7 @@ Redirect on login - Преусмеравање након пријављивања. + Преусмеравање након пријављивања Redirect group members to a custom page when they log in. @@ -19,7 +19,7 @@ Redirect page - Преусмерење странице + Страница преусмерења Please choose the page to which the group members will be redirected. @@ -55,7 +55,7 @@ Auto-redirect - Аутопреусмеравање. + Аутопреусмерење. Account settings @@ -103,11 +103,11 @@ Activate/deactivate group - Активирај/деактивирај групу + Активирање/Деактивирање групе Activate/deactivate group ID %s - Активирај/деактивирај групу ID %s + Активирање/Деактивирање групе ID %s diff --git a/src/Resources/contao/languages/sr/tl_module.xlf b/src/Resources/contao/languages/sr/tl_module.xlf index 442cc0a4cd..32ab49bc15 100644 --- a/src/Resources/contao/languages/sr/tl_module.xlf +++ b/src/Resources/contao/languages/sr/tl_module.xlf @@ -7,7 +7,7 @@ Please enter the module title. - Унесите назив модула + Унесите назив модула. Headline @@ -59,7 +59,7 @@ Set a reference page - Постави референтну страницу + Постави страницу референцирања Define a custom source or target page for the module. @@ -67,11 +67,11 @@ Reference page - Референтна страница + Страница референцирања Please choose the reference page from the site structure. - Изаберите референтну страницу из структуре сајта. + Изаберите страницу референцирања из структуре сајта. Navigation template @@ -83,7 +83,7 @@ Custom module template - Додатни шаблон модула + Прилагођени шаблон модула Here you can overwrite the default module template. @@ -107,11 +107,11 @@ Custom label - Прилагођена лабела + Произвољна лабела Here you can enter a custom label for the drop-down menu. - Овде можете унети посебну лабелу за падајући мени. + Овде можете унети прилагођену лабелу за падајући мени. Allow auto login @@ -119,11 +119,11 @@ Allow members to log into the front end automatically. - Дозволи корисницима ФронтЕнда да се аутоматски пријављују. + Дозволи корисницима да се аутоматски пријављују у ФронтЕнд. Redirect page - Преусмерење странице + Страница преусмеравања Please choose the page to which visitors will be redirected when clicking a link or submitting a form. @@ -135,7 +135,7 @@ Redirect the user back to the last page visited instead of the redirect page. - Преусмери корисника на последњу страницу коју је посетио, уместо да иде на страницу за преусмерење. + Преусмери корисника на последњу страницу коју је посетио, уместо да иде на страницу преусмеравања. Number of columns @@ -163,11 +163,11 @@ Editable fields - Поља за уређивање + Поља која је могуће уређивати Show these fields in the front end form. - Прикажи ова поља на формулару у ФронтЕнд-у. + Прикажи ова поља на формулару у ФронтЕнду. Form template @@ -179,11 +179,11 @@ Form - Образац + Формулар Please select a form. - Изаберите образац. + Изаберите формулар. Default query type @@ -235,7 +235,7 @@ Context range - Опсег контектста + Опсег контекста The number of characters on the left and right side of each keyword that are used as context. @@ -243,7 +243,7 @@ Maximum context length - Максимална дужина контектста + Максимална дужина контекста Here you can limit the overall context length per result. @@ -259,19 +259,19 @@ Search form layout - Формулар претраге + Распоред формулара за претрагу Here you can select the search form layout. - Изаберите формулар птрераге. + Изаберите распоред формулара за претрагу. Search results template - Шаблон резултата претраге + Шаблон за приказ резултата претраге Here you can select the search results template. - Овде можете изабрати шаблон за резултате претраге. + Овде можете изабрати шаблон за резултате претраге који дефинише на који ће начин резултати претраге бити приказани. Column @@ -279,7 +279,7 @@ Please choose the column whose articles you want to list. - Изаберите колону чије артикле желиоте да излистате. + Изаберите колону чије артикле желите да излистате. Skip items @@ -335,7 +335,7 @@ The alternate content will be shown if the movie cannot be loaded. HTML tags are allowed. - Алтернативни садржај ће бити приказан ако филм не може да се учита. Дозвољено је кориштење HTML тагова. + Алтернативни садржај ће бити приказан ако филм не може да се учита. Дозвољена је употреба HTML тагова. Source @@ -343,11 +343,11 @@ Whether to use a file on the server or point to an external URL. - Да ли желите да користите фајл са сервера или са неког вањског URL-а. + Да ли желите да користите фајл са сервера или са неког вањског URL. Source file - Изворни код + Изворни фајл Please select a file from the files directory. @@ -359,7 +359,7 @@ Please enter the URL (http://…) of the Flash movie. - Унесите URL (http://…) Flash филма. + Унесите URL (http://…) адресе на којој се налази flash филм. Make interactive @@ -367,15 +367,15 @@ Make the Flash movie interact with the browser (requires JavaScript). - Нека Flash филм буде интерактиван у односу на интернет претраживал (потребна употреба JavaScript-а). + Нека flash филм буде интерактиван са претраживачем (захтева JavaScript). Flash movie ID - ID Flash филма + ID flash филма Please enter a unique Flash movie ID. - Унесите јединствени ID Flash филма. + Унесите јединствени ID flash филма. JavaScript _DoFSCommand(command, args) { @@ -383,7 +383,7 @@ Please enter the JavaScript code. - Унесите JavaScript код. + Унесите JavaScript кôд Full-size view/new window @@ -399,15 +399,15 @@ Here you can set the image dimensions and the resize mode. - Овде можете да поставите димензије слике и мод за промену величине. + Овде можете да поставите димензије слике и начин промене величине слике. Show caption - Прикажи поднаслов + Прикажи текст испод слике Display the image name or caption below the image. - Прикажи име слике и поднаслов испод слике. + Прикажи име слике или посебан текст испод слике. Source files @@ -419,15 +419,15 @@ Sort order - Начин сортирања + Редослед сортирања The sort order of the items. - Распоред сортирања ставки. + Редослед сортирања ставки. HTML code - HTML код + HTML кȏд You can modify the list of allowed HTML tags in the back end settings. @@ -439,23 +439,23 @@ Here you can define how long the RSS feed is being cached. - Овде можете дефинисати колико дуго ће RSS приказивач бити чуван у кешу. + Овде можете дефинисати колико дуго ће RSS сажетак садржаја бити чуван у кешу. Feed URLs - URL-ови приказивача + URL-ови сажетка Please enter the URL of one or more RSS feeds. - Унесите URL једног или више RSS приказивача. + Унесите URL једног или више RSS сажетака. Feed template - Шаблон приказивача + Шаблон сажетка Here you can select the feed template. - Овде можете изабрати шаблон приказивача. + Овде можете изабрати шаблон сажетка. Number of items @@ -471,7 +471,7 @@ Show the module to certain member groups only. - Прикажи модул само за одређену групу. + Прикажи модул само члановима одређених група. Allowed member groups @@ -479,7 +479,7 @@ These groups will be able to see the module. - Следеће групе ће моћи да виде модул. + Ове групе ће моћи да виде модул. Show to guests only @@ -507,7 +507,7 @@ Member groups - Чланске групе + Групе чланова Here you can assign the user to one or more groups. @@ -547,7 +547,7 @@ Home directory path - Путања почетног директоријума + Путања до почетног директоријума Please select the parent folder from the files directory. @@ -555,11 +555,11 @@ Send activation e-mail - Пошаљи email за активацију + Пошаљи имејл за активацију Send an activation e-mail to the registered e-mail address. - Пошаљи email за активацију на регистровану email адресу. + Пошаљи имејл за активацију на регистровану имејл адресу. Confirmation page @@ -583,7 +583,7 @@ You can use the wildcards <em>##domain##</em> (domain name), <em>##link##</em> (activation link) and any user property (e.g. <em>##lastname##</em>). - Можете да користите џокере <em>##домен##</em> (име домена), <em>##link##</em> (линк за активацију) и било које улазно поље (нпр. <em>##презиме##</em>). + Можете да користите џокере <em>##домен##</em> (име домена), <em>##link##</em> (линк за активацију) и било који податак корисника (нпр. <em>##презиме##</em>). Title and type @@ -591,15 +591,15 @@ Navigation settings - Подешавање навигације + Подешавања навигације Reference page - Референтна страница + Страница референцирања Redirect settings - Подешавање преусмерења + Подешавања преусмерења Template settings @@ -615,7 +615,7 @@ Include settings - Подешавања уметања + Подешавања уметнутих садржаја Files and folders @@ -623,7 +623,7 @@ Interactive Flash movie - Интерактивни Flash филм + Интерактивни flash филм Text/HTML @@ -639,7 +639,7 @@ E-mail settings - Подешавања emaila + Подешавања имејла Account settings @@ -654,9 +654,9 @@ Please click ##link## to complete your registration and to activate your account. If you did not request an account, please ignore this e-mail. - Хвала вам за регистрацију на ##domain##. + Хвала вам што сте се регистровали на ##domain##. -Молимо Вас да кликнете на ##link## да завршите процес регистрације и извршите активацију Вашег налога. Ако нисте тражили да отворите налог, молимо Вас да игноришете овај e-mail. +Молимо Вас да кликнете на ##link## да завршите процес регистрације и извршите активацију Вашег налога. Ако нисте тражили да отворите налог, игноришите овај имејл. @@ -670,7 +670,7 @@ Please click ##link## to set the new password. If you did not request this e-mai Захтевали сте нову лозинку на ##domain##. -Молимо Вас да кликнете на ##link## tда поставите нову лозинку. Ако Ви нисте тражили да добијете овај e-mail, контактирајте администратора сајта. +Молимо Вас да кликнете на ##link## да поставите нову лозинку. Ако Ви нисте тражили да добијете овај имејл, контактирајте администратора сајта. @@ -679,7 +679,7 @@ Please click ##link## to set the new password. If you did not request this e-mai External URL - Екстерни URL + Вањски URL Deactivate account @@ -687,11 +687,11 @@ Please click ##link## to set the new password. If you did not request this e-mai Irrevocably delete account - Трајно обрши налог + Трајно обриши налог Add module - Додај модул + Додавање модула Add a module diff --git a/src/Resources/contao/languages/sr/tl_page.xlf b/src/Resources/contao/languages/sr/tl_page.xlf index e55a23fbc2..49d1390777 100644 --- a/src/Resources/contao/languages/sr/tl_page.xlf +++ b/src/Resources/contao/languages/sr/tl_page.xlf @@ -15,7 +15,7 @@ The page alias is a unique reference to the page which can be called instead of its numeric ID. - Алиас странице је јединствена референца на страницу која може да се користи уместо нумеричког ID-а странице. + Алиас странице је јединствена референца на страницу која може да се користи уместо нумеричког ID-а странице. Page type @@ -59,19 +59,19 @@ Redirect type - Врста преусмеравања + Врста преусмерења Please choose the redirect type. - Изаберите врсту преусмеравања. + Изаберите врсту преусмерења. Redirect page - Преусмерење странице + Страница преусмерења Please choose the page to which visitors will be redirected. Leave blank to redirect to the first regular subpage. - Изаберите страницу на коју ће посетиоци бити преусмерени. ОСтавите ово поље празно ако желите да то преусмеравање буде према првој следећој стандардној подстраници. + Изаберите страницу на коју ће посетиоци бити преусмерени. Оставите ово поље празно ако желите да то преусмеравање буде према првој следећој стандардној подстраници. Redirect to last page visited @@ -79,7 +79,7 @@ Redirect the user back to the last page visited instead of the redirect page. - Преусмери корисника на последњу страницу коју је посетио, уместо да иде на страницу за преусмерење. + Преусмери корисника на последњу страницу коју је посетио, уместо да иде на страницу преусмеравања. Language fallback @@ -91,7 +91,7 @@ Domain name - Доменско име + Домен Here you can restrict the access to the website to a certain domain name. @@ -99,11 +99,11 @@ E-mail address of the website administrator - Email адреса администратора сајта + Имејл адреса администратора сајта Auto-generated messages like subscription confirmation e-mails will be sent to this address. - Аутоматски генерисане поруке попут потврда о претплати биће послате на ову адресу. + Аутоматски генерисане поруке попут потврда о претплати биће послате на ову имејл адресу. Date format @@ -131,7 +131,7 @@ Create an XML sitemap - Креирај мапу сајта у XML-у + Креирај мапу сајта у XML Create a Google XML sitemap in the <em>share/</em> directory. @@ -139,7 +139,7 @@ Sitemap file name - Име фајла са мапом сајта + Име фајла у коме се налази мапа сајта Please enter the name of the sitemap file without extension. @@ -147,10 +147,11 @@ Use HTTPS - Употреба HTTPS + Користи HTTPS This website is available via HTTPS. + Овај сајт је доступан преко HTTPS. Forward to another page @@ -166,7 +167,7 @@ Restrict page access to certain member groups. - Ограничи приступ страници само за одређене чланске групе. + Ограничавање приступа страници само за одређене групе чланова. Allowed member groups @@ -174,57 +175,63 @@ These groups will be able to access the page. - Следеће групе ће моћи да приступе страници. + Ове групе ће моћи да приступе страници. Assign a layout - Додели Изглед + Додели распоред Assign a page layout to the page and its subpages. - Додели Изглед страници и њеним подстраницама. + Додели распоред страници и њеним подстраницама. Page layout - Изглед странице + Распоред странице You can manage page layouts with the "themes" module. - Изглед странице можете да мењате унутар модула "Теме". + Распоредом страница можете управљати и модулом "теме". Mobile page layout - Изглед прилагођен мобилним уређајима + Распоред страница прилагођен мобилним уређајима This layout will be used if the visitor uses a mobile device. - Овај Изглед ће бити кориштен када посетилац приступа преко мобилног апарата. + Овај распоред ће бити кориштен када посетилац приступа преко мобилног уређаја. Set cache timeouts + Подеси вредност кеш тајмаута. Set cache timeout values for the page and its subpages. + Подеси вредност кеш тајмаута за страницу и њене подстранице. Server cache timeout + Кеш тајмаут сервера The number of seconds after which the page should no longer be considered fresh by shared caches. + Број секунди након којих страница неће више бити сматрана освеженом од стране дељених кешова. Client cache timeout + Кеш тајмаут клијента The number of seconds after which the page should no longer be considered fresh by the browser. + Број секунди након којих страница неће више бити сматрана освеженом од стране претраживача. Assign access rights - Додели приступна права + Додела приступних права Access rights determine what back end users can do with the page. - Приступна права одређују шта БекЕнд корисници могу да раде са страницом. + Приступна права одређују шта корисници БекЕнда могу да раде са страницом. Owner @@ -240,7 +247,7 @@ Please select a group as the owner of the page. - Изаберите групу која ће бити власник странице. + Изаберите групу као власника странице. Access rights @@ -248,7 +255,7 @@ Please assign the access rights for the page and its subpages. - Додели приступна права страници и њеним подстраницама. + Доделите приступна права страници и њеним подстраницама. Do not search @@ -264,7 +271,7 @@ The class(es) will be used in the navigation menu and the &lt;body&gt; tag. - Класа(е) ће бити кориштене у навигационом менију и тагу &lt;body&gt; tag. + Класа(е) ће бити кориштене у навигационом менију и тагу &lt;body&gt;. Show in sitemap @@ -344,7 +351,7 @@ Redirect settings - Подешавање преусмерења + Подешавања преусмеравања DNS settings @@ -372,7 +379,7 @@ Layout settings - Подешавања изгледа + Подешавања распореда Cache settings @@ -396,15 +403,15 @@ Publish settings - Објави подешавања + Примени подешавања 301 Permanent redirect - 301 Трајно преусмеравање + Трајно преусмеравање 301 302 Temporary redirect - 302 Привремено преусмеравање + Привремено преусмеравање 302 Default @@ -544,19 +551,19 @@ 3 hours - 3 сати + 3 часа 6 hours - 6 сата + 6 часова 12 hours - 12 сати + 12 часова 24 hours - 24 сата + 24 часа 3 days diff --git a/src/Resources/contao/languages/sr/tl_settings.xlf b/src/Resources/contao/languages/sr/tl_settings.xlf index 9da86facc3..d12c6cf1f2 100644 --- a/src/Resources/contao/languages/sr/tl_settings.xlf +++ b/src/Resources/contao/languages/sr/tl_settings.xlf @@ -11,11 +11,11 @@ E-mail address of the system administrator - Email адреса системског администратора + Имејл адреса администратора система Auto-generated messages like subscription confirmation e-mails will be sent to this address. - Аутоматски генерисане поруке попут потврда о претплати биће послате на ову адресу. + Аутоматски генерисане поруке попут потврда о претплати биће послате на ову имејл адресу. Date format @@ -55,7 +55,7 @@ It is recommended to use UTF-8, so special characters are displayed correctly. - Препорука је да се користи UTF-8, тако да ће бити вероватније да ће специфични знакови бити приказивани исправно. + Препорука је да користите UTF-8, како би били сигурни да ће посебни знакови бити приказани исправно. Disable the command scheduler @@ -63,7 +63,7 @@ Disable the periodic command scheduler and execute the cron.php script by a real cron job (which you have to set up manually). - Онемогући периодично извршавање команди и изврши cron.php скрипту правим cron job-ом (који сте дефинисали ручно). + Онемогући периодично извршавање команди и изврши cron.php скрипту правим cron job-ом (који сте поставили ручно). Minify the markup @@ -79,7 +79,7 @@ Create a compressed version of the combined CSS and JavaScript files. Requires adjustments of the .htaccess file. - Креирај компресоване верзије комбинација фајлова CSS-а и JavaScript-а. Потребно је подесити фајл .htaccess. + Креирај компресовану верзију комбинације CSS и JavaScript фајлова. Ово захтева прилагођење .htaccess фајла. Items per page @@ -95,7 +95,7 @@ This overall limit takes effect if a user chooses the "show all records" option. - Овај свеукупни лимит постаје битан ако корисник изабере опцију "прикажи све записе". + Овај лимит постаје битан ако корисник изабере опцију "прикажи све записе". Exclude folders from synchronization @@ -103,7 +103,7 @@ Here you can enter a comma separated list of folders which will be exempt from the files synchronization (e.g. <em>attachments,music_academy</em>). Note that excluded resources cannot be used in e.g. image or download elements! - Овде можете унети, раздвојене зарезом, листу фајлова који ће бити изузети из синхронизације (нпр. <em>attachments,music_academy</em>). Имајте на уму да изузети ресурси не могу бити кориштени у елементима као што су нпр. слике или преузимања! + Овде можете унети, раздвојено запетом, листу фолдера који ће бити изузети из синхронизације фајлова (нпр. <em>attachments,music_academy</em>). Имајте при томе на уму да изузети ресурси не могу бити кориштени у елементима као што су нпр. слике или преузимања! Do not collapse elements @@ -123,11 +123,11 @@ Anonymize IP addresses - Сакриј IP адресу + Учини IP адресе анонимним Anonymize any IP address that is stored in the database, except in the <em>tl_session</em> table (the IP address is bound to the session for security reasons). - Сакриј све IP адресе које су сачуване у бази података, изузев табеле <em>tl_session</em> (IP адреса је повезана са сесијом из сигурносних разлога). + Сакриј све IP адресе које су сачуване у бази података, изузев табеле <em>tl_session</em> (IP адреса је повезана са сесијом из сигурносних разлога). Anonymize Google Analytics @@ -139,7 +139,7 @@ Do not redirect empty URLs - Не преусмеравај празне URL-ове + Не преусмеравај празне URL For an empty URL display the website instead of redirecting to the language root page (not recommended). @@ -151,11 +151,11 @@ Skip the <em>items/</em> or <em>events/</em> fragment in the URL and automatically discover the item based on the <em>auto_item</em> parameter. - Изостави <em>items/</em> или <em>events/</em> фрагменте унутар URL-а и аутоматски препознај ставку базирану на параметру <em>auto_item</em>. + Изостави <em>items/</em> или <em>events/</em> фрагменте унутар URL и аутоматски препознај ставку базирану на параметру <em>auto_item</em>. Enable folder URLs - Омогући URL-ове у стилу фолдера + Омогући URL у стилу фолдера Here you can enable folder-style page aliases like <em>docs/install/download.html</em> instead of <em>docs-install-download.html</em>. @@ -175,6 +175,7 @@ Do not check the request token when a form is submitted (insecure!). + Не проверавај исправност токена приликом подношења формулара (није безбедно!). Account locking time @@ -190,7 +191,7 @@ Here you can enter a comma separated list of downloadable file types. - Унесите, запетом раздвојене, врсте фајлова које ће моћи да се преузму са сајта. + Овде можете унети, запетом раздвојене, врсте фајлова који ће моћи да се преузму са сајта. Editable file types @@ -198,7 +199,7 @@ Here you can enter a comma separated list of file types that can be edited in the source editor. - Унесите, запетом раздвојене, врсте фајлова који ће моћи да се уређују у уређивачу изворног кода. + Овде можете унети, запетом раздвојене, врсте фајлова који ће моћи да се уређују у изворном едитору. Template file types @@ -206,15 +207,15 @@ Here you can enter a comma separated list of supported template file types. - Унесите, запетом раздвојене, врсте шаблонских фајлова које ће бити доступне. + Овде можете унети, запетом раздвојене, врсте шаблонских фајлова. Maximum front end width - Максимална ФронтЕнд ширина + Максимална ширина на ФронтЕнду. If the width of an image or movie exceeds this value, it will be adjusted automatically. - Ако ширина слике превазилази ову вредност, слика ће бити прилагођена аутоматски. + Ако ширина слике превазилази ову вредност, слика ће бити аутоматски прилагођена. Maximum GD image width @@ -238,7 +239,7 @@ Here you can enter a comma separated list of uploadable file types. - Унесите, запетом раздвојене, врсте фајлова које ће моћи да се копирају на сајт. + Овде можете унети, запетом раздвојене, врсте фајлова које ће моћи да се копирају на сервер. Maximum upload file size @@ -254,7 +255,7 @@ Here you can enter the maximum width for image uploads in pixels. - Овде можете унети максималну ширину слике, у пикселима, која се копира на сервер + Овде можете унети максималну ширину слике, у пикселима, која се копира на сервер. Maximum image height @@ -282,11 +283,11 @@ Storage time for undo steps - Време чувања урађених акција + Време чувања измена Here you can enter the storage time for undo steps in seconds (24 hours = 86400 seconds). - Овде можете унети време чувања урађених акција (24 сата = 86400 секунди). + Овде можете унети време чувања измена, а које је могуће накнадно опозвати (24 часа = 86400 секунди). Storage time for versions @@ -294,7 +295,7 @@ Here you can enter the storage time for different versions of a record in seconds (90 days = 7776000 seconds). - Овде можете унети време чувања различитих верзија (90 дана = 7776000 секунди). + Овде можете унети време чувања различитих верзија записа (90 дана = 7776000 секунди). Storage time for log entries @@ -302,7 +303,7 @@ Here you can enter the storage time for log entries in seconds (14 days = 1209600 seconds). - Овде можете унети време чувања записа лога (14 дана = 1209600 секунди). + Овде можете унети време чувања записа дневника (14 дана = 1209600 секунди). Session timeout diff --git a/src/Resources/contao/languages/sr/tl_style.xlf b/src/Resources/contao/languages/sr/tl_style.xlf index 88a44126ac..7953f0e1bb 100644 --- a/src/Resources/contao/languages/sr/tl_style.xlf +++ b/src/Resources/contao/languages/sr/tl_style.xlf @@ -3,11 +3,11 @@ Invisible - Скривен + Скривено Do not export the format definition. - Немој извозити дефиницију. + Немој извозити дефиницију формата. Selector @@ -15,7 +15,7 @@ The selector defines to which element(s) the format definition applies. - Селектор одређује на које се елемент(е) примењује дефиниција. + Селектор одређује на који елемент(е) се дефиниција формата примењује. Category @@ -23,7 +23,7 @@ Categories can be used to group format definitions in the back end. - Категорије се могу користити у сврху груписања дефиниција у БекЕнду. + Категорију можете да користите ради груписања дефиниција формата у БекЕнду. Comment @@ -39,7 +39,7 @@ Width, height, min-width, min-height, max-width and max-height. - "Width", "height", "min-width", "min-height", "max-width" и "max-height". + Width, height, min-width, min-height, max-width и max-height. Width @@ -63,7 +63,7 @@ Here you can enter the element's minimum width. - Овде можете унети минималну ширину елемента. + Ове можете унети минималну ширину елемента. Minimum height @@ -91,19 +91,19 @@ Position - Позиција + Позиционирање Position, float, clear, overflow and display. - "Position", "float", "clear", "overflow" и "display". + Position, float, clear, overflow и display. Position - Позиција + Позиционирање Here you can enter the top, right, bottom and left position. - Овде можете унети горњу, десну, доњу и леву позицију. + Овде можете унети вредности за горње, десно, доње и лево позиционирање. Position type @@ -115,35 +115,35 @@ Float - Плутање + Float Here you can choose the float type. - Овде можете изабрати начин плутања. + Овде можете изабрати опцију за својсво "float". Clear - Брисање + Clear Here you can choose the clear type. - Овде можете изабрати начин брисања. + Овде можете изабрати опцију за својство "clear". Overflow - Преливање + Overflow Here you can choose the overflow behaviour. - Овде можете одабрати начин преливања. + Овде можете изабрати опцију за својство "overflow". Display - Приказ + Display Here you can choose the display type. - Овде можете изабрати начин приказа. + Овде можете изабрати начин приказа - "display". Margin, padding and alignment @@ -151,6 +151,7 @@ Margin, padding, align, vertical-align, text-align and white-space. + Margin, padding, align, vertical-align, text-align и white-space. Margin @@ -174,7 +175,7 @@ To align an element, its left and right margin will be overwritten. - За поравнање елемента, лева и десна маргина ће бити преписане новом вредношћу. + Ради поравнања елемента, вредности његове леве и десне маргине ће бити прегажене. Vertical alignment @@ -194,11 +195,11 @@ White-space - Празни простор + White-space Here you can define how white-space inside an element is handled. - Унесите празан простор који ће да се налази између елемента и ивице простора у који је смештен. + Овде можете дефинисати како ће се третирати празан простор у оквиру елемента. Background @@ -206,6 +207,7 @@ Background-color, background-image, background-position, background-repeat, box-shadow and linear-gradient. + Background-color, background-image, background-position, background-repeat, box-shadow и linear-gradient. Background color and opacity @@ -245,7 +247,7 @@ Here you can enter the X and Y offset, an optional blur size and an optional spread radius. - Овде можете унети X и Y офсет, опционо величина замагљења и величину радијуса простирања. + Овде можете унети X и Y офсет, те опционо величину замагљења и величину радијуса простирања. Shadow color and opacity @@ -321,7 +323,7 @@ Border spacing - Простор ван оквира + Border spacing Here you can enter the border spacing. @@ -333,10 +335,11 @@ Font-family, font-size, font-color, line-height, font-style, text-transform, text-indent, letter-spacing and word-spacing. + Font-family, font-size, font-color, line-height, font-style, text-transform, text-indent, letter-spacing и word-spacing. Font family - Фамилија фонта + Font family Here you can enter a comma separated list of font types. @@ -360,7 +363,7 @@ Line height - Ширина линије + Line height Here you can define the line height. @@ -376,15 +379,15 @@ Text transform - Трансформација текста + Text transform Here you can choose a text transformation mode. - Овде можете изабрати мод за трансформацију текста. + Овде можете изабрати начин трансформације текста. Text indent - Увлачење текста + Text indent Here you can enter a text indentation. @@ -392,7 +395,7 @@ Letter spacing - Простор између слова + Letter spacing Here you can modify the letter spacing (default: 0px). @@ -400,7 +403,7 @@ Word spacing - Простор између речи + Word spacing Here you can modify the word spacing (default: 0px). @@ -424,15 +427,15 @@ Custom symbol - Прилагођени симбол + Произвољни симбол Here you can enter the path to an individual symbol. - Овде можете унети путању до симбола који желите да користите а није дио система. + Овде можете унети путању до симбола по вашем избору, а који вам није понуђен у овиру система. Custom code - Додатни код + Прилагођени кôд Here you can enter custom CSS code. @@ -448,7 +451,7 @@ Position - Позиција + Позиционирање Margin and alignment @@ -500,7 +503,7 @@ overlined - са цртом испод + са цртом изнад small-caps @@ -524,11 +527,11 @@ upper latin figures - велики римски бројеви + римски бројеви исписани великим словима lower latin figures - мали римски бројеви + римски бројеви исписани малим словима upper characters @@ -552,7 +555,7 @@ none - без ознаке + ништа New format definition @@ -568,47 +571,47 @@ Show the details of format definition ID %s - Прикажи детаље дефиниције ID %s + Прикажи детаље дефиниције формата ID %s Edit format definition - Уреди дефиницију + Уреди дефиницију формата Edit format definition ID %s - Уреди дефиницију ID %s + Уреди дефиницију формата ID %s Move format definition - Помери дефиницију + Помери дефиницију формата Move format definition ID %s - Помери дефиницију ID %s + Помери дефиницију формата ID %s Duplicate format definition - Копирај дефиницију + Копирај дефиницију формата Duplicate format definition ID %s - Копирај дефиницију ID %s + Копирај дефиницију формата ID %s Delete format definition - Обриши дефиницију + Обриши дефиницију формата Delete format definition ID %s - Обриши дефиницију ID %s + Обриши дефиницију формата ID %s Edit style sheet - Уреди стилове + Уреди колекцију стилова Edit the style sheet settings - Уреди подешавања стилова + Уреди подешавања колекције стилова Paste at the top @@ -616,15 +619,15 @@ Paste after format definition ID %s - Налепи после дефиниције ID %s + Налепи после дефиниције формата ID %s Add new at the top - Додај ново на врх + Додај нову на врх Add new after format definition ID %s - Додај нову након дефиниције ID %s + Додај нову након дефиниције формата ID %s Toggle visibility @@ -632,7 +635,7 @@ Toggle the visibility of format definition ID %s - Искључи видљивост дефиниције ID %s + Промени видљивост дефиниције формата ID %s diff --git a/src/Resources/contao/languages/sr/tl_style_sheet.xlf b/src/Resources/contao/languages/sr/tl_style_sheet.xlf index 76cd91a1c5..c9caca55c1 100644 --- a/src/Resources/contao/languages/sr/tl_style_sheet.xlf +++ b/src/Resources/contao/languages/sr/tl_style_sheet.xlf @@ -7,11 +7,11 @@ Please enter the style sheet name. - Унесите име стилова. + Унесите назив за колекцију стилова. Embed images up to - Embed images up to + Уметни слике до Here you can enter the file size in bytes up to which images will be embedded in the style sheet as data: string. Set to 0 to disable the feature. @@ -19,27 +19,27 @@ Conditional comment - Условни коментар + Условни коментари Conditional comments allow you to create Internet Explorer specific style sheets (e.g. <em>if lt IE 9</em>). - Условни коментари омогућавају креирање стилова специфичних за Интернет Експлорер (нпр. <em>if lt IE 9</em>). + Условни коментари вам омогућавају да креирате посебне стилове намењене употреби у Internet Explorer (нпр. <em>if lt IE 9</em>). Media types - Врста медија + Врсте медија Here you can choose the media types the style sheet applies to. - Овде можете одабрати врсту медија на коју ће Стилови бити примењени. + Овде можете изабрати врсте медија на које ће се колекција стилова примењивати. Media query - Media-Query + Медијски упит Here you can define the media type using a media query like <em>screen and (min-width: 800px)</em>. The media types defined above will then be overwritten. - Овде можете дефинисати врсту медија користећи упит за медиј као нпр.<em>screen и (min-width: 800px)</em>. Врста медија дефинисана изнад у том случају биће прегажена. + Овде можете одредити врсту медија користећи медијски упит као што је <em>screen and (min-width: 800px)</em>. У том случају ће врста медија одабрана горе бити прегажена. Global variables @@ -47,23 +47,23 @@ Here you can define global variables for the style sheet (e.g. <em>$red</em> -> <em>c00</em> or <em>$margin</em> -> <em>12px</em>). - Овде можете дефинисати глобалне варијабле за Стилове (нпр. <em>$red</em> -> <em>c00</em> или <em>$margin</em> -> <em>12px</em>). + Овде можете дефинисати глобалне варијабле за колекцију стилова (нпр. <em>$red</em> -> <em>c00</em> или <em>$margin</em> -> <em>12px</em>). Source files - Изворни фајл + Изворни фајлови Here you can upload one or more .css files to be imported. - Овде можете изабрати један или више .css фајлова које ћете увести. + Овде можете изабрати један или више .css фајлова који ће бити увежени. Revision date - Датум ревизије + Датум последње верзије Date and time of the latest revision - Датум и време последње ревизије + Датум и време последње верзије Name @@ -83,67 +83,67 @@ Style sheet "%s" has been imported. - Стилови "%s" су увезени. + Колекција стилова "%s" је увежена. Style sheet "%s" has been imported as "%s". - Стилови "%s" су увезени као "%s". + Колекција стилова "%s" је увежена као "%s". New style sheet - Нови стилови + Нова колекција стилова Create a new style sheet - Креирај нове стилове + Креирај нову колекцију стилова Style sheet details - Детаљи стилова + Детаљи колекције стилова Show the details of style sheet ID %s - Прикажи детаље стилова ID %s + Прикажи детаље колекције стилова ID %s Edit style sheet - Уреди стилове + Уреди колекцију стилова Edit style sheet ID %s - Уреди стилове ID %s + Уреди колекцију стилова ID %s Edit style sheet - Уреди стилове + Уреди колекцију стилова Edit the style sheet settings - Уреди подешавања стилова + Уреди подешавања колекције стилова Move style sheet - Помери стилове + Помери колекцију стилова Move style sheet ID %s - Помери стилове ID %s + Помери колекцију стилова ID %s Duplicate style sheet - Копирај стилове + Копирај колекцију стилова Duplicate style sheet ID %s - Копирај стилове ID %s + Копирај колекцију стилова ID %s Delete style sheet - Обриши стилове + Обриши колекцију стилова Delete style sheet ID %s - Обриши стилове ID %s + Обриши колекцију стилова ID %s CSS import @@ -155,11 +155,11 @@ Export style sheet - Извези Стилове + Извези колекцију стилова Export style sheet ID %s - Извези Стилове ID %s + Извези колекцију стилова ID %s diff --git a/src/Resources/contao/languages/sr/tl_templates.xlf b/src/Resources/contao/languages/sr/tl_templates.xlf index eddb477242..ce9207aef0 100644 --- a/src/Resources/contao/languages/sr/tl_templates.xlf +++ b/src/Resources/contao/languages/sr/tl_templates.xlf @@ -11,11 +11,11 @@ Target folder - Дестинациони фолдер + Одредишни фолдер A copy of the selected template will be stored in the target folder. - Копија изабраног шаблона биће сачувана у дестинационом фолдеру. + Копија изабраног шаблона биће сачувана у одредишном фолдеру. Add a new template diff --git a/src/Resources/contao/languages/sr/tl_theme.xlf b/src/Resources/contao/languages/sr/tl_theme.xlf index c9918da3cd..037b77f52a 100644 --- a/src/Resources/contao/languages/sr/tl_theme.xlf +++ b/src/Resources/contao/languages/sr/tl_theme.xlf @@ -7,7 +7,7 @@ Please enter a unique theme title. - Унесите јединствен назив за тему. + Унесите јединствено име за тему. Author @@ -15,7 +15,7 @@ Please enter the name of the theme designer. - Унесите име дизајнера који је направио тему. + Унесите име аутора теме. Folders @@ -23,15 +23,15 @@ Please select the folders that belong to the theme from the files directory. - Изаберите фолдере из директоријума фајлова који припадају теми. + Изаберите фолдере у оквиру директоријума фајлова који припадају теми. Templates folder - Фолдер теме + Фолдер шаблона Here you can select a templates folder that will be exported with the theme. - Овде можете изабрати фолдер теме који ће бити извезен заједно са темом. + Овде можете да изаберете фолдер шаблона који ће бити извезен заједно са темом. Screenshot @@ -39,7 +39,7 @@ Here you can choose a screenshot of the theme. - Овде можете изабрати screenshot теме. + Овде можете изабрати слику која ће да визуелно представља тему. Global variables @@ -47,13 +47,15 @@ Here you can define global variables for the style sheets of the theme (e.g. <em>$red</em> -> <em>c00</em> or <em>$margin</em> -> <em>12px</em>). - Овде можете дефинисати глобалне варијабле стилова који се користе у оквиру теме (нпр. <em>$red</em> -> <em>c00</em> или <em>$margin</em> -> <em>12px</em>). + Овде можете да дефинишете глобалне варијабле колекције стилова (нпр. em>$red</em> -> <em>c00</em> или <em>$margin</em> -> <em>12px</em>). Default image pixel densities + Подразумевана густина пиксела Here you can define the default pixel densities, e.g. <em>1x, 1.5x, 2x</em>. + Овде можете поставити подразумевану густину пиксела за слике, нпр. <em>1x, 1.5x, 2x</em>. Source files @@ -61,15 +63,15 @@ Here you can upload one or more .cto files to be imported. - Овде можете изабрати један или више .cto које ћете копирати на сервер, а затим ћете бити у могућности да вршите увоз теме из тих фајлова. + Овде можете да изаберете један или више .cto фајлова који ће бити увежени. Revision date - Датум ревизије + Датум последње верзије Date and time of the latest revision - Датум и време последње ревизије + Датум и време последње верзије Title and author @@ -81,7 +83,7 @@ Image sizes - Величине слика + Величине слике Global variables @@ -89,7 +91,7 @@ Theme "%s" has been imported. - Тема "%s" је успешно увезена. + Тема "%s" је увезена. The theme data is being checked @@ -101,7 +103,7 @@ The field <strong>%s</strong> is missing in the database and will not be imported. - Поље <strong>%s</strong> недостаје у бази података и неће бити увезено. + Поље <strong>%s</strong> недостаје у бази и стога неће бити увезено. The tables have been successfully checked. @@ -109,7 +111,7 @@ Theme "%s" is corrupt and cannot be imported. - Тема "%s" је оштећена и није могућ њен увоз. + Тема "%s" је неисправна и зато не може бити увезена. Custom templates @@ -121,7 +123,7 @@ No conflicts detected. - Нису детектовани конфликти. + Нису пронађени никакви конфликти. Theme store @@ -129,7 +131,7 @@ Find more themes in the Contao theme store - Пронађите више тема у Contao продавници тема + Пронађите више тема у продавници Contao тема New theme @@ -137,7 +139,7 @@ Create a new theme - Креирај нову тему + Направи нову тему Theme details @@ -145,7 +147,7 @@ Show the details of theme ID %s - Прикажи детаље теме ID %s + Прикажи детаље теме ID %s Edit theme @@ -153,7 +155,7 @@ Edit theme ID %s - Уреди тему ID %s + Уреди тему ID %s Delete theme @@ -161,15 +163,15 @@ Delete theme ID %s - Обриши тему ID %s + Обриши тему ID %s Style sheets - Стилови + Колекције стилова Edit the style sheets of theme ID %s - Уреди стилове у оквиру теме ID %s + Уреди колекције стилова за тему ID %s Modules @@ -177,23 +179,23 @@ Edit the front end modules of theme ID %s - Уреди ФронтЕнд модуле у оквиру теме ID %s + Уреди модуле ФронтЕнда за тему ID %s Layouts - Изгледи + Распореди Edit the page layouts of theme ID %s - Уреди изгледе страница у оквиру теме ID %s + Уреди распореде за тему ID %s Image sizes - Величине слика + Величине слике Edit the image sizes of theme ID %s - Уреди величину слике теме ID %s + Уреди величину слике за тему ID %s Theme import @@ -201,7 +203,7 @@ Import new themes - Увези нове теме + Увезите нове теме Export @@ -209,7 +211,7 @@ Export theme ID %s - Извоз теме ID %s + Извези тему ID %s diff --git a/src/Resources/contao/languages/sr/tl_undo.xlf b/src/Resources/contao/languages/sr/tl_undo.xlf index 6b36fa2c59..13b7eb0822 100644 --- a/src/Resources/contao/languages/sr/tl_undo.xlf +++ b/src/Resources/contao/languages/sr/tl_undo.xlf @@ -19,11 +19,11 @@ Affected rows - Редови над којима је вршена/врши се промена + Редови над којима је извршена промена Number of records included in the undo step - Број корака у процедури за "Undo" + Број записа укључених у враћање претходне верзије Details @@ -31,7 +31,7 @@ Details of the undo step - Детаљи "Undo" корака + Детаљи корака за враћање претходне верзије Data @@ -39,7 +39,7 @@ Raw data of the undo step - Неформатирани подаци "Undo" корака + Неформатирани подаци претходних верзија Show details @@ -55,7 +55,7 @@ Restore entry ID %s - Обнови садржај записа са ID %s + Врати садржај записа ID %s diff --git a/src/Resources/contao/languages/sr/tl_user.xlf b/src/Resources/contao/languages/sr/tl_user.xlf index a4b676d30f..6c9adf9578 100644 --- a/src/Resources/contao/languages/sr/tl_user.xlf +++ b/src/Resources/contao/languages/sr/tl_user.xlf @@ -19,11 +19,11 @@ E-mail address - E-mail адреса + Имејл адреса Please enter a valid e-mail address. - Унесите исправну email адресу. + Унесите валидну имејл адресу. Back end language @@ -31,7 +31,7 @@ Here you can choose the back end language. - Овде можете изабрати који ће језик бити кориштен у БекЕнду. + Овде можете изабрати језик БекЕнда. Back end theme @@ -39,7 +39,7 @@ Here you can override the global back end theme. - Овде можете прегазити глобалну БекЕнд тему. + Овде можете прегазити глобалну тему БекЕнда. File uploader @@ -51,15 +51,15 @@ Show explanation - Прикажи објашњење + Прикажи појашњење Show a short explanation text below each input field. - Прикажи кратко објашњење испод сваког поља за унос. + Прикажи кратко појашњење испод сваког поља за унос. Show thumbnail images - Прикажи мале thumbnail сличице + Прикажи мале сличице Show thumbnail images in the file manager. @@ -67,19 +67,19 @@ Enable the rich text editor - Омогући "rich text editor" + Омогући rich text editor Use the rich text editor to format text elements. - Користи "rich text editor" за форматирање текстуалних елемената. + Користи rich text editor за форматирање текстуалних елемената. Enable the code editor - Омогући едитор кода + Омогући уређивач кȏда Use the code editor to modify code elements. - Користи едитор кода за модификацију елемената кода. + Користи уређивач кȏда за измену елемената кȏда. Password change required @@ -87,7 +87,7 @@ Make the user change his password upon the next login. - Поставите захтев да корисник промени лозинку приликом следеће пријаве. + Захтевај од корисника да промени лозинку након првог пријављивања. Make the user an administrator @@ -99,7 +99,7 @@ User groups - Корисничке групе + Групе корисника Here you can assign the user to one or more groups. @@ -115,7 +115,7 @@ Use group settings only - Само групна подешавања + Користи само подешавања групе The user inherits only group permissions. @@ -123,11 +123,11 @@ Extend group settings - Прошири групна подешавања + Прошири подешавања групе The group permissions are extended by individual ones. - Групне дозволе ће бити проширене личним дозволама + Групне дозволе ће бити проширене личним дозволама. Use individual settings only @@ -139,19 +139,19 @@ Back end modules - БекЕнд модули + Модули БекЕнда Here you can grant access to one or more back end modules. - Овде можете доделити приступ једном или више БекЕнд модула. + Овде можете доделити приступ једном или више модула БекЕнда. Theme modules - Модули тема + Модули теме Here you can grant access to the theme modules. - Овде можете доделити приступ модулима тема. + Овде можете доделити приступ модулима теме. Pagemounts @@ -183,6 +183,7 @@ Here you can grant access to one or more image sizes. + Овде можете дозволити приступ једној или више величина слика. Allowed forms @@ -206,7 +207,7 @@ Temporarily disable the account. - Привремено онемогући налог. + Привремено онемогући кориштење налога. Activate on @@ -234,7 +235,7 @@ Name and e-mail - Име и email + Име и имејл Back end settings @@ -254,7 +255,7 @@ User groups - Корисничке групе + Групе корисника Allowed modules @@ -294,7 +295,7 @@ Page cache - Кеш странице + Кеш страницa The session data has been purged @@ -306,7 +307,7 @@ The page cache has been purged - Кеш странице је обрисан + Кеш страницa је обрисан Default uploader diff --git a/src/Resources/contao/languages/sr/tl_user_group.xlf b/src/Resources/contao/languages/sr/tl_user_group.xlf index b7cbc23c28..898b79f2c3 100644 --- a/src/Resources/contao/languages/sr/tl_user_group.xlf +++ b/src/Resources/contao/languages/sr/tl_user_group.xlf @@ -95,7 +95,7 @@ Edit group ID %s - Уреди детање групе ID %s + Уреди детаље групе ID %s Duplicate group diff --git a/src/Resources/contao/languages/sv/exception.xlf b/src/Resources/contao/languages/sv/exception.xlf index 8212bd65b2..b837aaad16 100644 --- a/src/Resources/contao/languages/sv/exception.xlf +++ b/src/Resources/contao/languages/sv/exception.xlf @@ -60,7 +60,7 @@ Installationen har inte slutförts vilket medför att Contao inte kan fungera på ett korrekt sätt. - Please open the Contao install tool (<code>/install.php</code>) in your browser. + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>. diff --git a/src/Resources/contao/languages/zh/exception.xlf b/src/Resources/contao/languages/zh/exception.xlf index 543a62d879..17e7c27239 100644 --- a/src/Resources/contao/languages/zh/exception.xlf +++ b/src/Resources/contao/languages/zh/exception.xlf @@ -62,8 +62,7 @@ 安装没有完成,所以Contao不能正常工作。 - Please open the Contao install tool (<code>/install.php</code>) in your browser. - 请在你的浏览器中打开Contao安装工具 (<code>/install.php</code>). + Please open the Contao install tool (<code>/contao/install</code>) in your browser. For more information, please refer to the <a href="https://contao.org/manual/installation.html" target="_blank">Contao manual</a>.