diff --git a/install/lib/compatibility.inc.php b/install/lib/compatibility.inc.php new file mode 100644 index 0000000000000000000000000000000000000000..562e07ada42f404cae0708f32105dcf39a84768c --- /dev/null +++ b/install/lib/compatibility.inc.php @@ -0,0 +1,80 @@ +<?php + +/* +Copyright (c) 2021, Jesse Norell <jesse@kci.net> +All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, +are permitted provided that the following conditions are met: + + * Redistributions of source code must retain the above copyright notice, + this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above copyright notice, + this list of conditions and the following disclaimer in the documentation + and/or other materials provided with the distribution. + * Neither the name of ISPConfig nor the names of its contributors + may be used to endorse or promote products derived from this software without + specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND +ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED +WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. +IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, +INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, +BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY +OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, +EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. +*/ + +/* random_bytes can be dropped when php 5.6 support is dropped */ +if (! function_exists('random_bytes')) { + function random_bytes($length) { + return openssl_random_pseudo_bytes($length); + } +} + +/* random_int can be dropped when php 5.6 support is dropped */ +if (! function_exists('random_int')) { + function random_int($min=null, $max=null) { + if (null === $min) { + $min = PHP_INT_MIN; + } + + if (null === $max) { + $min = PHP_INT_MAX; + } + + if (!is_int($min) || !is_int($max)) { + trigger_error('random_int: $min and $max must be integer values', E_USER_NOTICE); + $min = (int)$min; + $max = (int)$max; + } + + if ($min > $max) { + trigger_error('random_int: $max can\'t be lesser than $min', E_USER_WARNING); + return null; + } + + $range = $counter = $max - $min; + $bits = 1; + + while ($counter >>= 1) { + ++$bits; + } + + $bytes = (int)max(ceil($bits/8), 1); + $bitmask = pow(2, $bits) - 1; + + if ($bitmask >= PHP_INT_MAX) { + $bitmask = PHP_INT_MAX; + } + + do { + $result = hexdec(bin2hex(random_bytes($bytes))) & $bitmask; + } while ($result > $range); + + return $result + $min; + } +} diff --git a/install/lib/install.lib.php b/install/lib/install.lib.php index 0f57e1f456f9ac1bd19e2d7fcedecf78f48a2fec..d9b482a842f835cd9feed7e52da9894c06d7fae6 100644 --- a/install/lib/install.lib.php +++ b/install/lib/install.lib.php @@ -29,6 +29,9 @@ EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ error_reporting(E_ALL|E_STRICT); +if(version_compare(phpversion(), '7.0', '<')) { + require_once 'compatibility.inc.php'; +} $FILE = realpath('../install.php'); diff --git a/install/lib/installer_base.lib.php b/install/lib/installer_base.lib.php index bb5fd5d409362d4a85d61a17626d57fb1b7bfb5c..a73b9d0922f82f3e29d4192f176aadd730f163fe 100644 --- a/install/lib/installer_base.lib.php +++ b/install/lib/installer_base.lib.php @@ -249,6 +249,7 @@ class installer_base { $msg = ''; if(version_compare(phpversion(), '5.4', '<')) $msg .= "PHP Version 5.4 or newer is required. The currently used PHP version is ".phpversion().".\n"; + if(version_compare(phpversion(), '8.0', '>=')) $msg .= "PHP Version 8 is not supported yet. Change PHP version back to the default version of the OS. The currently used PHP version is ".phpversion().".\n"; if(!function_exists('curl_init')) $msg .= "PHP Curl Module is missing.\n"; if(!function_exists('mysqli_connect')) $msg .= "PHP MySQLi Module is nmissing.\n"; if(!function_exists('mb_detect_encoding')) $msg .= "PHP Multibyte Module (MB) is missing.\n"; @@ -2875,7 +2876,7 @@ class installer_base { if(@is_link($vhost_conf_enabled_dir.'/' . $use_symlink)) { unlink($vhost_conf_enabled_dir.'/' . $use_symlink); } - if(!@is_link($vhost_conf_enabled_dir.'/' . $use_symlink)) { + if(!@is_file($vhost_conf_enabled_dir.'/' . $use_symlink)) { symlink($vhost_conf_dir.'/' . $use_name, $vhost_conf_enabled_dir.'/' . $use_symlink); } } diff --git a/install/tpl/apache_ispconfig.vhost.master b/install/tpl/apache_ispconfig.vhost.master index e38e39a8e1f2e10ab170ebf3cc5248029c15255a..df0b98fda7da7c7c4ff5896742a65ad1f8476350 100644 --- a/install/tpl/apache_ispconfig.vhost.master +++ b/install/tpl/apache_ispconfig.vhost.master @@ -114,6 +114,6 @@ NameVirtualHost *:<tmpl_var name="vhost_port"> </tmpl_if> # Redirect http to https - ErrorDocument 400 "<script>document.location.href='https://'+location.hostname+':'+location.port';</script><h1>Error 400 - trying to redirect</h1>" + ErrorDocument 400 "<script>document.location.href='https://'+location.hostname+':'+location.port;</script><h1>Error 400 - trying to redirect</h1>" </VirtualHost> diff --git a/interface/lib/app.inc.php b/interface/lib/app.inc.php index 0f7d3e578da51a5c30ea92962645545ee613d102..6a8e563d80fade4e9ccb9482004017b8e6149c5e 100644 --- a/interface/lib/app.inc.php +++ b/interface/lib/app.inc.php @@ -28,7 +28,9 @@ NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ -require_once 'compatibility.inc.php'; +if(version_compare(phpversion(), '7.0', '<')) { + require_once 'compatibility.inc.php'; +} //* Enable gzip compression for the interface ob_start('ob_gzhandler'); diff --git a/interface/web/admin/lib/lang/it_directive_snippets.lng b/interface/web/admin/lib/lang/it_directive_snippets.lng index 35e17caaffb3b48146595e2fdbcae376692e61df..1e7d3109a1692aa2e60fcf74c713c4273a4c7028 100644 --- a/interface/web/admin/lib/lang/it_directive_snippets.lng +++ b/interface/web/admin/lib/lang/it_directive_snippets.lng @@ -7,9 +7,9 @@ $wb['active_txt'] = 'Attivo'; $wb['directive_snippets_name_empty'] = 'Indicare un nome per lo snippet.'; $wb['directive_snippets_name_error_unique'] = 'Esiste già una direttiva snippet con questo nome.'; $wb['variables_txt'] = 'Variabili'; -$wb['customer_viewable_txt'] = 'Customer viewable'; -$wb['required_php_snippets_txt'] = 'Required PHP Snippet'; -$wb['update_sites_txt'] = 'Update sites using this snippet'; -$wb['error_hide_snippet_active_sites'] = 'You cannot hide this snippet from customers as it is currently used by existing websites.'; -$wb['error_disable_snippet_active_sites'] = 'You cannot disable this snippet as it is currently used by existing websites.'; -$wb['error_delete_snippet_active_sites'] = 'You cannot delete this snippet as it is currently used by existing websites.'; \ No newline at end of file +$wb['customer_viewable_txt'] = 'Cliente visibile'; +$wb['required_php_snippets_txt'] = 'Richiedi Snippet PHP'; +$wb['update_sites_txt'] = 'Aggiorna i siti usando questo snippet'; +$wb['error_hide_snippet_active_sites'] = 'Non puoi nascondere questo snippet poichè e già usato dai siti web esistenti.'; +$wb['error_disable_snippet_active_sites'] = 'Non puoi disabilitare questo snippet poichè e già usato dai siti web esistenti.'; +$wb['error_delete_snippet_active_sites'] = 'Non puoi cancellare questo snippet poichè e già usato dai siti web esistenti.'; diff --git a/interface/web/admin/lib/lang/it_directive_snippets_list.lng b/interface/web/admin/lib/lang/it_directive_snippets_list.lng index 7bb90ce94338a83bd3c95ab3a7a34178fb283a8e..b1d82a1caa687916304f7796dc2dc141cdbf6bf8 100644 --- a/interface/web/admin/lib/lang/it_directive_snippets_list.lng +++ b/interface/web/admin/lib/lang/it_directive_snippets_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'Directtive Snippets'; +$wb['list_head_txt'] = 'Direttive Snippets'; $wb['active_txt'] = 'Attivo'; $wb['name_txt'] = 'Nome del Snippet'; $wb['type_txt'] = 'Tipo'; -$wb['add_new_record_txt'] = 'Aggiungi Direttive Snippet'; -$wb['customer_viewable_txt'] = 'Customer viewable'; +$wb['add_new_record_txt'] = 'Aggiungi Direttive Snippet'; +$wb['customer_viewable_txt'] = 'Cliente visibile'; ?> diff --git a/interface/web/admin/lib/lang/it_groups_list.lng b/interface/web/admin/lib/lang/it_groups_list.lng index 52cdce78e70b3677d1e16a1d685be2fc5dbe44e7..f816bcca86bcad302ab858b586f43fc6aad3aca8 100644 --- a/interface/web/admin/lib/lang/it_groups_list.lng +++ b/interface/web/admin/lib/lang/it_groups_list.lng @@ -3,5 +3,5 @@ $wb['list_head_txt'] = 'Gruppi utenti sistema'; $wb['description_txt'] = 'Descrizione'; $wb['name_txt'] = 'Gruppo'; $wb['add_new_record_txt'] = 'Aggiungi nuovo gruppo'; -$wb['warning_txt'] = '<b>ATTENZIONE:</b> Non editare o modificare alcuna impostazione utente da qui. Utilizzare invece le impostazioni del modulo nella sezione Clienti- e Rivenditori. Modificare o cambiare Utenti o Gruppi in questa sezione può causare perdita di dati!'; +$wb['warning_txt'] = '<b>ATTENZIONE:</b> Non editare o modificare alcuna impostazione utente da qui. Utilizzare invece le impostazioni del modulo nella sezione Clienti e Rivenditori. Modificare o cambiare Utenti o Gruppi in questa sezione può causare perdita di dati!'; ?> diff --git a/interface/web/admin/lib/lang/it_iptables.lng b/interface/web/admin/lib/lang/it_iptables.lng index 8fb963ebec01f174b1eca9ae370a53f90c97e917..24016ff7c815d95177e587f613148e9387ba38cc 100644 --- a/interface/web/admin/lib/lang/it_iptables.lng +++ b/interface/web/admin/lib/lang/it_iptables.lng @@ -1,13 +1,13 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['multiport_txt'] = 'Multi Port'; -$wb['singleport_txt'] = 'Single Port'; -$wb['protocol_txt'] = 'Protocol'; -$wb['table_txt'] = 'Table'; -$wb['target_txt'] = 'Target'; -$wb['state_txt'] = 'State'; -$wb['destination_ip_txt'] = 'Destination Address'; -$wb['source_ip_txt'] = 'Source Address'; +$wb['multiport_txt'] = 'Multi Porta'; +$wb['singleport_txt'] = 'Singola Porta'; +$wb['protocol_txt'] = 'Protocollo'; +$wb['table_txt'] = 'Tavola'; +$wb['target_txt'] = 'Obiettivo'; +$wb['state_txt'] = 'Stato'; +$wb['destination_ip_txt'] = 'Indirizzo Destinazione'; +$wb['source_ip_txt'] = 'Indirizzo Sorgente'; $wb['active_txt'] = 'Attivo'; -$wb['iptables_error_unique'] = 'There is already a firewall record for this server.'; +$wb['iptables_error_unique'] = 'Esiste già una regola del firewall per questo server.'; ?> diff --git a/interface/web/admin/lib/lang/it_iptables_list.lng b/interface/web/admin/lib/lang/it_iptables_list.lng index 76fbcaff8583b484dc6f89ac481d1c15e574d3bd..f8248869d824b9d7f2b8386c2ed04bc6940294bb 100644 --- a/interface/web/admin/lib/lang/it_iptables_list.lng +++ b/interface/web/admin/lib/lang/it_iptables_list.lng @@ -2,14 +2,14 @@ $wb['list_head_txt'] = 'IPTables'; $wb['add_new_rule_txt'] = 'Aggiungi Regola IPTables'; $wb['server_id_txt'] = 'Server'; -$wb['multiport_txt'] = 'Multi Port'; -$wb['singleport_txt'] = 'Single Port'; -$wb['protocol_txt'] = 'Protocol'; -$wb['table_txt'] = 'Table'; -$wb['target_txt'] = 'Target'; -$wb['state_txt'] = 'State'; -$wb['destination_ip_txt'] = 'Destination Address'; -$wb['source_ip_txt'] = 'Source Address'; +$wb['multiport_txt'] = 'Multi Porta'; +$wb['singleport_txt'] = 'Singola Porta'; +$wb['protocol_txt'] = 'Protocollo'; +$wb['table_txt'] = 'Tavola'; +$wb['target_txt'] = 'Obiettivo'; +$wb['state_txt'] = 'Stato'; +$wb['destination_ip_txt'] = 'Indirizzo Destinazione'; +$wb['source_ip_txt'] = 'Indirizzo Sorgente'; $wb['active_txt'] = 'Attivo'; $wb['iptables_error_unique'] = 'Esiste già una regola firewall per questo server.'; ?> diff --git a/interface/web/admin/lib/lang/it_language_complete.lng b/interface/web/admin/lib/lang/it_language_complete.lng index 84e629e100b9045109a31dbcce899f0377fb44df..a637e532f49d8d6177041c5e448b84fb01b631e3 100644 --- a/interface/web/admin/lib/lang/it_language_complete.lng +++ b/interface/web/admin/lib/lang/it_language_complete.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'Merge the selected language file with the english master language file. <br />This adds missing strings from the english master language files to the selected language.'; -$wb['language_select_txt'] = 'Select language'; -$wb['btn_save_txt'] = 'Merge files now'; +$wb['list_head_txt'] = 'Unisci il file di traduzione selezionato con il file master in lingua inglese. <br />Questo aggiungerà le stringhe mancanti (in inglese) al file di traduzione selezionato.'; +$wb['language_select_txt'] = 'Seleziona lingua'; +$wb['btn_save_txt'] = 'Unisci i file adesso'; $wb['btn_cancel_txt'] = 'Annulla'; -$wb['list_desc_txt'] = 'Merge the selected language file with the english master language file. <br />This adds missing strings from the english master language files to the selected language.'; +$wb['list_desc_txt'] = 'Unendo il file di traduzione selezionato con il file master in lingua inglese. <br />Questo aggiungerà le stringhe mancanti (in inglese) al file di traduzione selezionato..'; ?> diff --git a/interface/web/admin/lib/lang/it_language_edit.lng b/interface/web/admin/lib/lang/it_language_edit.lng index 5a710c90ea24aa9a02ccb83475a37a45603ea898..101d41072adecec9fd6256b0146c724714bd730a 100644 --- a/interface/web/admin/lib/lang/it_language_edit.lng +++ b/interface/web/admin/lib/lang/it_language_edit.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'Language file editor'; -$wb['language_select_txt'] = 'Seleziona language'; -$wb['module_txt'] = 'Module'; -$wb['lang_file_txt'] = 'Language file'; +$wb['list_head_txt'] = 'Editor del file della traduzione'; +$wb['language_select_txt'] = 'Seleziona lingua'; +$wb['module_txt'] = 'Modulo'; +$wb['lang_file_txt'] = 'File traduzione'; $wb['btn_save_txt'] = 'Salva'; $wb['btn_cancel_txt'] = 'Annulla'; ?> diff --git a/interface/web/admin/lib/lang/it_language_import.lng b/interface/web/admin/lib/lang/it_language_import.lng index a6ce43814c9e088b5493c64601ce02b7d236a152..0705efd126f1ee0abfc8f5513ba542b9da321f3a 100644 --- a/interface/web/admin/lib/lang/it_language_import.lng +++ b/interface/web/admin/lib/lang/it_language_import.lng @@ -5,5 +5,5 @@ $wb['btn_save_txt'] = 'Importa il file di lingua selezionato'; $wb['language_overwrite_txt'] = 'Sovrascrivi file, se esiste'; $wb['btn_cancel_txt'] = 'Annulla'; $wb['ignore_version_txt'] = 'Tralascia controllo versione ISPconfig'; -$wb['list_desc_txt'] = 'WARNING: Do not import language files from untrustworthy sources.'; +$wb['list_desc_txt'] = 'ATTENZIONE: non importare file di traduzione da sorgenti non affidabili.'; ?> diff --git a/interface/web/admin/lib/lang/it_remote_action.lng b/interface/web/admin/lib/lang/it_remote_action.lng index bb14a01f7575b8b34eeb7b77272dc97965441693..9f43cb45fc90f10dc6b606aaacf24df45f84429c 100644 --- a/interface/web/admin/lib/lang/it_remote_action.lng +++ b/interface/web/admin/lib/lang/it_remote_action.lng @@ -1,12 +1,12 @@ <?php $wb['select_server_txt'] = 'Seleziona Server'; $wb['btn_do_txt'] = 'Esegui Azione'; -$wb['do_osupdate_caption'] = 'Do OS-Update at remote server'; -$wb['do_osupdate_desc'] = 'This Action does a apt -y upgrade at your selected server.<br><br><strong>USE THIS AT YOUR OWN RISK!</strong>'; -$wb['do_ispcupdate_caption'] = 'Do ISPConfig 3 - Update at remote server'; -$wb['do_ispcupdate_desc'] = 'This action does a ISPConfig3 update at your selected server.<br><br><strong>USE THIS AT YOUR OWN RISK!</strong>'; -$wb['action_scheduled'] = 'The action is scheduled for execution'; -$wb['select_all_server'] = 'All server'; -$wb['ispconfig_update_title'] = 'ISPConfig update instructions'; -$wb['ispconfig_update_text'] = 'Login as root user on the shell of your server and execute the command<br /><br /> <strong>ispconfig_update.sh</strong><br /><br />to start the ISPConfig update.<br /><br /><a href=https://www.faqforge.com/linux/controlpanels/ispconfig3/how-to-update-ispconfig-3/ target=_blank>Click here for detailed update instructins</a>'; +$wb['do_osupdate_caption'] = 'Esegui un aggiornamento del S.O. sul server remoto'; +$wb['do_osupdate_desc'] = 'Questa azione esegue apt -y upgrade sul server selezionato.<br><br><strong>USI QUESTA FUNZIONE A TUO RISCHIO E PERICOLO!</strong>'; +$wb['do_ispcupdate_caption'] = 'Esegui aggiornamento di ISPConfig 3 sul server remoto'; +$wb['do_ispcupdate_desc'] = 'Questa operazione esegue un aggiornamento a ISPConfig 3 sul server selezionato.<br><br><strong>USI QUESTA FUNZIONE A TUO RISCHIO E PERICOLO!</strong>'; +$wb['action_scheduled'] = 'L\'azione è programmata per la sua esecuzione'; +$wb['select_all_server'] = 'Tutti i server'; +$wb['ispconfig_update_title'] = 'Istruzioni per l\'aggiornamento di ISPConfig'; +$wb['ispconfig_update_text'] = 'Collegati alla shell del server come root ed esegui il comando <br /><br /> <strong>ispconfig_update.sh</strong><br /><br />per iniziare il processo di aggiornamento.<br /><br /><a href=https://www.faqforge.com/linux/controlpanels/ispconfig3/how-to-update-ispconfig-3/ target=_blank>Clicca qui per le istruzioni dettagliate di aggiornamento (in inglese)</a>'; ?> diff --git a/interface/web/admin/lib/lang/it_remote_user.lng b/interface/web/admin/lib/lang/it_remote_user.lng index f5fc847d68a317c7c8395c0adfc0b8692efb1094..f3bdba77371ae983c8ac94e2fa9abda79d056c3f 100644 --- a/interface/web/admin/lib/lang/it_remote_user.lng +++ b/interface/web/admin/lib/lang/it_remote_user.lng @@ -1,12 +1,12 @@ <?php -$wb['remote_user_txt'] = 'Remote User'; +$wb['remote_user_txt'] = 'Utente Remoto'; $wb['username_txt'] = 'Nome Utente'; $wb['password_txt'] = 'Password'; $wb['function_txt'] = 'Funzioni'; $wb['username_error_unique'] = 'Il nome utente deve essere unico'; $wb['username_error_empty'] = 'Il nome utente non può essere vuoto '; $wb['password_error_empty'] = 'La Password non può essere vuoto '; -$wb['password_strength_txt'] = 'Livello Sicurezza Password'; +$wb['password_strength_txt'] = 'Robustezza Password'; $wb['Mail domain functions'] = 'Funzioni Dominio di Posta'; $wb['Mail user functions'] = 'Funzioni Utente di posta'; $wb['Mail alias functions'] = 'Funzioni Alias di posta'; @@ -16,37 +16,37 @@ $wb['Mail transport functions'] = 'Funzioni Mail transport'; $wb['Mail whitelist functions'] = 'Funzioni whitelist di posta'; $wb['Mail blacklist functions'] = 'Funzioni blacklist di posta'; $wb['Mail spamfilter user functions'] = 'Funzioni utente filtri spam di posta'; -$wb['Mail spamfilter policy functions'] = 'Mail spamfilter policy functions'; -$wb['Mail fetchmail functions'] = 'Mail fetchmail functions'; -$wb['Mail user filter functions'] = 'Mail user filter functions'; -$wb['Mail filter functions'] = 'Mail filter functions'; -$wb['Client functions'] = 'Client functions'; -$wb['Sites cron functions'] = 'Sites cron functions'; -$wb['Sites database functions'] = 'Sites database functions'; -$wb['Sites FTP-User functions'] = 'Sites FTP-User functions'; -$wb['Sites Shell-User functions'] = 'Sites Shell-User functions'; -$wb['Sites Domain functions'] = 'Sites Domain functions'; -$wb['Sites Aliasdomain functions'] = 'Sites Aliasdomain functions'; -$wb['Sites Subdomain functions'] = 'Sites Subdomain functions'; -$wb['DNS zone functions'] = 'DNS zone functions'; -$wb['DNS a functions'] = 'DNS a functions'; -$wb['DNS aaaa functions'] = 'DNS aaaa functions'; -$wb['DNS alias functions'] = 'DNS alias functions'; -$wb['DNS cname functions'] = 'DNS cname functions'; -$wb['DNS hinfo functions'] = 'DNS hinfo functions'; -$wb['DNS mx functions'] = 'DNS mx functions'; -$wb['DNS naptr functions'] = 'DNS naptr functions'; -$wb['DNS ns functions'] = 'DNS ns functions'; -$wb['DNS ptr functions'] = 'DNS ptr functions'; -$wb['DNS rp functions'] = 'DNS rp functions'; -$wb['DNS srv functions'] = 'DNS srv functions'; -$wb['DNS txt functions'] = 'DNS txt functions'; -$wb['Mail mailing list functions'] = 'Mail mailinglist functions'; +$wb['Mail spamfilter policy functions'] = 'Funzioni di polotica di filtro spam per le mail'; +$wb['Mail fetchmail functions'] = 'Funzioni Mail fetchmail'; +$wb['Mail user filter functions'] = 'Funzioni di filtro utente per le mail'; +$wb['Mail filter functions'] = 'Funzioni di filtro Mail'; +$wb['Client functions'] = 'Funzioni Cliente'; +$wb['Sites cron functions'] = 'Funzioni cron per i siti'; +$wb['Sites database functions'] = 'Funzioni per database siti'; +$wb['Sites FTP-User functions'] = 'Funzioni per utenti FTP'; +$wb['Sites Shell-User functions'] = 'Funzioni per utenti Shell'; +$wb['Sites Domain functions'] = 'Funzioni per i Domini'; +$wb['Sites Aliasdomain functions'] = 'Funzioni per domini Alias'; +$wb['Sites Subdomain functions'] = 'Funzioni per sottodomini'; +$wb['DNS zone functions'] = 'Funzioni per zone DNS'; +$wb['DNS a functions'] = 'Funzioni per record A DNS'; +$wb['DNS aaaa functions'] = 'Funzioni per record AAAA DNS'; +$wb['DNS alias functions'] = 'Funzioni per alias DNS'; +$wb['DNS cname functions'] = 'Funzioni per cname DNS'; +$wb['DNS hinfo functions'] = 'Funzioni per hinfo DNS'; +$wb['DNS mx functions'] = 'Funzioni per MX DNS'; +$wb['DNS naptr functions'] = 'Funzioni NAPTR DNS'; +$wb['DNS ns functions'] = 'Funzioni NS DNS'; +$wb['DNS ptr functions'] = 'Funzioni PTR DNS'; +$wb['DNS rp functions'] = 'Funzioni RP DNS'; +$wb['DNS srv functions'] = 'Funzioni SRV DNS'; +$wb['DNS txt functions'] = 'Funzioni TXT DNS'; +$wb['Mail mailing list functions'] = 'Funzioni Mail mailinglist'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['remote_access_txt'] = 'Remote Access'; -$wb['remote_ips_txt'] = 'Remote Access IPs / Hostnames (separate by , and leave blank for <i>any</i>)'; -$wb['remote_user_error_ips'] = 'At least one of the entered ip addresses or hostnames is invalid.'; +$wb['remote_access_txt'] = 'Accesso remoto Access'; +$wb['remote_ips_txt'] = 'Accesso remoto IPs / Hostnames (separati da , lasciare vuote per <i>qualunque</i>)'; +$wb['remote_user_error_ips'] = 'Almeno un indirizzo IP o hostname inserito non è valido.'; ?> diff --git a/interface/web/admin/lib/lang/it_server_config.lng b/interface/web/admin/lib/lang/it_server_config.lng index fc7175adf399554d43ac3ba16abe53af289b1232..7d67123662c722bfd20962d11914acf4cc48a581 100644 --- a/interface/web/admin/lib/lang/it_server_config.lng +++ b/interface/web/admin/lib/lang/it_server_config.lng @@ -1,27 +1,27 @@ <?php -$wb['server_config'] = 'Server Config'; -$wb['config_for_txt'] = 'Configuration for'; -$wb['server_config_error_not_updated'] = 'Error in Server Config: not updated'; -$wb['server_config_error_section_not_updated'] = 'Error in Server Config: %s section not updated'; -$wb['jailkit_chroot_home_txt'] = 'Jailkit chroot home'; -$wb['jailkit_chroot_app_sections_txt'] = 'Jailkit chroot app sections'; -$wb['jailkit_chroot_app_programs_txt'] = 'Jailkit chrooted applications'; +$wb['server_config'] = 'Configurazione Server'; +$wb['config_for_txt'] = 'Configurazione per'; +$wb['server_config_error_not_updated'] = 'Errore nella configurazione del Server: non aggiornato'; +$wb['server_config_error_section_not_updated'] = 'Errore nella configurazione del Server: %s sezione non aggiornata'; +$wb['jailkit_chroot_home_txt'] = 'Cartella home di chroot Jailkit'; +$wb['jailkit_chroot_app_sections_txt'] = 'Sezione applicazioni chroot Jailkit'; +$wb['jailkit_chroot_app_programs_txt'] = 'Applicazioni Jailkit chrooted'; $wb['website_path_txt'] = 'Percorso Sito Web'; $wb['website_symlinks_txt'] = 'Sito Web symlinks'; -$wb['vhost_conf_dir_txt'] = 'Vhost config dir'; -$wb['vhost_conf_enabled_dir_txt'] = 'Vhost config dir abilitata'; -$wb['apache_init_script_txt'] = 'Apache init script'; -$wb['apache_init_script_note_txt'] = 'Lasciare questo vuoto rileverà automaticamente lo script init di Apache'; -$wb['apache_init_script_error_regex'] = 'Script init Apache non valido.'; -$wb['getmail_config_dir_txt'] = 'Getmail config dir'; +$wb['vhost_conf_dir_txt'] = 'Cartella configurazione Vhost'; +$wb['vhost_conf_enabled_dir_txt'] = 'Cartella configurazione Vhost abilitata'; +$wb['apache_init_script_txt'] = 'script Apache di avvio'; +$wb['apache_init_script_note_txt'] = 'Lasciare questo vuoto rileverà automaticamente lo script di avvio di Apache'; +$wb['apache_init_script_error_regex'] = 'Script di avvio di Apache non valido.'; +$wb['getmail_config_dir_txt'] = 'Cartella di configurazione Getmail'; $wb['fastcgi_starter_path_txt'] = 'Percorso FastCGI starter'; -$wb['fastcgi_starter_script_txt'] = 'FastCGI starter script'; -$wb['fastcgi_alias_txt'] = 'FastCGI Alias'; +$wb['fastcgi_starter_script_txt'] = 'script di avvio FastCGI'; +$wb['fastcgi_alias_txt'] = 'Alias FastCGI'; $wb['fastcgi_phpini_path_txt'] = 'Percorso FastCGI php.ini'; $wb['fastcgi_children_txt'] = 'FastCGI Children'; $wb['fastcgi_max_requests_txt'] = 'FastCGI max. Requests'; $wb['fastcgi_bin_txt'] = 'FastCGI Bin'; -$wb['module_txt'] = 'Module'; +$wb['module_txt'] = 'Modulo'; $wb['maildir_path_txt'] = 'Percorso Maildir'; $wb['homedir_path_txt'] = 'Percorso Homedir'; $wb['mailuser_uid_txt'] = 'Mailuser UID'; @@ -43,8 +43,8 @@ $wb['website_basedir_txt'] = 'basedir per Sito Web'; $wb['ip_address_error_wrong'] = 'Formato indirizzo IP non valido.'; $wb['netmask_error_wrong'] = 'Formato Maschera di rete non valido.'; $wb['gateway_error_wrong'] = 'Formato Gateway non valido.'; -$wb['hostname_error_empty'] = 'Hostname vuoto.'; -$wb['nameservers_error_empty'] = 'Nameserver vuoto.'; +$wb['hostname_error_empty'] = 'Hostname vuoto.'; +$wb['nameservers_error_empty'] = 'Nameserver vuoto.'; $wb['jailkit_chroot_cron_programs_txt'] = 'Applicazioni Jailkit cron chrooted'; $wb['config_dir_txt'] = 'Direttrice configurazione'; $wb['init_script_txt'] = 'Nome script di Cron init'; @@ -71,7 +71,7 @@ $wb['pop3_imap_daemon_txt'] = 'Demone POP3/IMAP'; $wb['php_open_basedir_txt'] = 'PHP open_basedir'; $wb['php_open_basedir_error_empty'] = 'PHP open_basedir vuoto.'; $wb['htaccess_allow_override_txt'] = '.htaccess AllowOverride'; -$wb['htaccess_allow_override_error_empty'] = '.htaccess AllowOverride vuoto.'; +$wb['htaccess_allow_override_error_empty'] = '.htaccess AllowOverride vuoto.'; $wb['awstats_conf_dir_txt'] = 'awstats cartella di configurazione'; $wb['awstats_data_dir_txt'] = 'awstats cartella dati'; $wb['awstats_pl_txt'] = 'awstats.pl script'; @@ -90,7 +90,7 @@ $wb['ufw_default_forward_policy_txt'] = 'Default Forward Policy'; $wb['ufw_default_application_policy_txt'] = 'Default Application Policy'; $wb['ufw_log_level_txt'] = 'Livello di Log'; $wb['website_symlinks_rel_txt'] = 'Make relative symlinks'; -$wb['network_config_warning_txt'] = 'L opzione di configurazione di rete è disponibile solo per Debian and Ubuntu Servers. Non abilitare se la tua interfaccia di rete non è eth0.'; +$wb['network_config_warning_txt'] = 'L\'opzione di configurazione di rete è disponibile solo per Debian and Ubuntu Servers. Non abilitare se la tua interfaccia di rete non è eth0.'; $wb['CA_path_txt'] = 'Percorso CA'; $wb['CA_pass_txt'] = 'CA passphrase'; $wb['fastcgi_config_syntax_txt'] = 'Sintassi configurazione FastCGI'; @@ -100,8 +100,8 @@ $wb['nginx_vhost_conf_enabled_dir_txt'] = 'Nginx Vhost config enabled dir'; $wb['nginx_user_txt'] = 'Utente Nginx'; $wb['nginx_group_txt'] = 'Gruppo Nginx'; $wb['nginx_cgi_socket_txt'] = 'Nginx CGI Socket'; -$wb['backup_dir_error_empty'] = 'Backup directory vuoto.'; -$wb['maildir_path_error_empty'] = 'Maildir Percorso vuoto.'; +$wb['backup_dir_error_empty'] = 'Backup directory vuoto.'; +$wb['maildir_path_error_empty'] = 'Maildir Percorso vuoto.'; $wb['homedir_path_error_empty'] = 'Homedir Percorso vuoto.'; $wb['mailuser_uid_error_empty'] = 'Mailuser UID vuoto.'; $wb['mailuser_gid_error_empty'] = 'Mailuser GID vuoto.'; @@ -113,8 +113,8 @@ $wb['website_path_error_empty'] = 'Percorso Sito Web vuoto.'; $wb['website_symlinks_error_empty'] = 'Website symlinks vuoto.'; $wb['vhost_conf_dir_error_empty'] = 'Vhost config dir vuoto.'; $wb['vhost_conf_enabled_dir_error_empty'] = 'Vhost config enabled dir vuoto.'; -$wb['nginx_vhost_conf_dir_error_empty'] = 'Nginx Vhost config dir vuoto.'; -$wb['nginx_vhost_conf_enabled_dir_error_empty'] = 'Nginx Vhost config enabled dir vuoto.'; +$wb['nginx_vhost_conf_dir_error_empty'] = 'Cartella di configurazione Vhost Nginx vuoto.'; +$wb['nginx_vhost_conf_enabled_dir_error_empty'] = 'Cartella di configurazione Vhost Nginx vuoto.'; $wb['apache_user_error_empty'] = 'Utente Apache vuoto.'; $wb['apache_group_error_empty'] = 'Gruppo Apache vuoto.'; $wb['nginx_user_error_empty'] = 'Utente Nginx vuoto.'; @@ -132,23 +132,23 @@ $wb['fastcgi_children_error_empty'] = 'FastCGI Children vuoto.'; $wb['fastcgi_max_requests_error_empty'] = 'FastCGI max. Requests vuoto.'; $wb['fastcgi_bin_error_empty'] = 'FastCGI Bin vuoto.'; $wb['jailkit_chroot_home_error_empty'] = 'Jailkit chroot home vuoto.'; -$wb['jailkit_chroot_app_sections_error_empty'] = 'Jailkit chroot app sections vuoto.'; -$wb['jailkit_chroot_app_programs_error_empty'] = 'Jailkit chrooted applications vuoto.'; +$wb['jailkit_chroot_app_sections_error_empty'] = 'Sezione app chroot Jailkit vuoto.'; +$wb['jailkit_chroot_app_programs_error_empty'] = 'Applicazioni chrooted Jailkit vuoto.'; $wb['jailkit_chroot_cron_programs_error_empty'] = 'Jailkit cron chrooted applications vuoto.'; -$wb['vlogger_config_dir_error_empty'] = 'Config directory vuoto.'; -$wb['cron_init_script_error_empty'] = 'Cron init script name vuoto.'; +$wb['vlogger_config_dir_error_empty'] = 'Cartella di configurazione vuoto.'; +$wb['cron_init_script_error_empty'] = 'nome script di avvio Cron vuoto.'; $wb['crontab_dir_error_empty'] = 'Percorso per crontabs individuali vuoto.'; -$wb['cron_wget_error_empty'] = 'Percorso al programma wget vuoto.'; -$wb['php_fpm_init_script_txt'] = 'PHP-FPM init script'; -$wb['php_fpm_init_script_error_empty'] = 'PHP-FPM init script vuoto.'; -$wb['php_fpm_ini_path_txt'] = 'PHP-FPM php.ini path'; -$wb['php_fpm_ini_path_error_empty'] = 'PHP-FPM php.ini path vuoto.'; +$wb['cron_wget_error_empty'] = 'Percorso al programma wget vuoto.'; +$wb['php_fpm_init_script_txt'] = 'script di avvio PHP-FPM'; +$wb['php_fpm_init_script_error_empty'] = 'script di avvio PHP-FPM vuoto.'; +$wb['php_fpm_ini_path_txt'] = 'Percorso PHP-FPM php.ini'; +$wb['php_fpm_ini_path_error_empty'] = 'Percorso PHP-FPM php.ini vuoto.'; $wb['php_fpm_pool_dir_txt'] = 'PHP-FPM pool directory'; -$wb['php_fpm_pool_dir_error_empty'] = 'PHP-FPM pool directory vuoto.'; +$wb['php_fpm_pool_dir_error_empty'] = 'PHP-FPM pool directory vuoto.'; $wb['php_fpm_start_port_txt'] = 'PHP-FPM start port'; -$wb['php_fpm_start_port_error_empty'] = 'PHP-FPM start port vuoto.'; +$wb['php_fpm_start_port_error_empty'] = 'PHP-FPM start port vuoto.'; $wb['php_fpm_socket_dir_txt'] = 'PHP-FPM socket directory'; -$wb['php_fpm_socket_dir_error_empty'] = 'PHP-FPM socket directory vuoto.'; +$wb['php_fpm_socket_dir_error_empty'] = 'PHP-FPM socket directory vuoto.'; $wb['try_rescue_txt'] = 'Abilita servizio di monitoraggio in caso di failure'; $wb['do_not_try_rescue_httpd_txt'] = 'Disabilita monitoraggio HTTPD'; $wb['do_not_try_rescue_mysql_txt'] = 'Disabilita monitoraggio MySQL'; @@ -156,11 +156,11 @@ $wb['do_not_try_rescue_mail_txt'] = 'Disabilita monitoraggio Email'; $wb['rescue_description_txt'] = '<b>Informazione:</b> Se desideri fermare MySQL devi selezionare la spunta per Disabilitare monitor MySQL ed attendere 2-3 minuti.<br>Se non attendi 2-3 minuti, il sistema tenterà di riavviare MySQL!'; $wb['enable_sni_txt'] = 'Abilita SNI'; $wb['set_folder_permissions_on_update_txt'] = 'Imposta permessi cartella ad aggiornamento'; -$wb['add_web_users_to_sshusers_group_txt'] = 'Aggiungi utente sito web a gruppo utenti -ssh-'; -$wb['connect_userid_to_webid_txt'] = 'Conllega userid Linux a webid'; +$wb['add_web_users_to_sshusers_group_txt'] = 'Aggiungi utente sito web a gruppo utenti -ssh-'; +$wb['connect_userid_to_webid_txt'] = 'Collega userid Linux a webid'; $wb['connect_userid_to_webid_start_txt'] = 'Avvia ID per collegamento userid/webid'; $wb['website_autoalias_txt'] = 'Sito Web auto alias'; -$wb['website_autoalias_note_txt'] = 'Placeholders:'; +$wb['website_autoalias_note_txt'] = 'Marcaposto:'; $wb['backup_mode_txt'] = 'Modalità di Backup'; $wb['backup_mode_userzip'] = 'Backup files siti web come utente web in formato zip'; $wb['backup_mode_rootgz'] = 'Backup di tutti i files nella cartella sito come utente root'; @@ -168,8 +168,8 @@ $wb['backup_mode_borg_txt'] = 'BorgBackup: Backup all files in vhost directory a $wb['backup_missing_utils_txt'] = 'The following backup mode can not be used because the required tools are not installed:'; $wb['realtime_blackhole_list_txt'] = 'Lista Real-Time Blackhole'; $wb['realtime_blackhole_list_note_txt'] = '(Separare RBL con le virgole)'; -$wb['stress_adaptive_txt'] = 'Adapt to temporary load spikes'; -$wb['tooltip_stress_adaptive_txt'] = 'Enables Postfix stress-adaptive behavior.'; +$wb['stress_adaptive_txt'] = 'Adatta a momentanee punte di carico di lavoro'; +$wb['tooltip_stress_adaptive_txt'] = 'Abilita il comportamente adattivo allo stress di Postfix.'; $wb['ssl_settings_txt'] = 'Impostazioni SSL'; $wb['permissions_txt'] = 'Permessi'; $wb['php_settings_txt'] = 'Impostazioni PHP'; @@ -181,7 +181,7 @@ $wb['enable_ip_wildcard_txt'] = 'Abilita IP wildcard (*)'; $wb['web_folder_protection_txt'] = 'Imposta cartelle sito in moaniera non modificabile (attributi estesi)'; $wb['overtraffic_notify_admin_txt'] = 'Trasmetti notifiche superamento traffico ad admin'; $wb['overtraffic_notify_client_txt'] = 'Trasmetti notifiche superamento traffico al cliente'; -$wb['overtraffic_disable_web_txt'] = 'Disable websites that exceed traffic limit'; +$wb['overtraffic_disable_web_txt'] = 'Disabilita i siti web che eccedono il limiti di traffico'; $wb['rbl_error_regex'] = 'Per cortesia specificare nomi host RBL validi.'; $wb['overquota_notify_threshold_txt'] = 'Quota warning usage level'; $wb['overquota_notify_threshold_error'] = 'Quota warning usage level must be between 0-100%'; @@ -196,12 +196,12 @@ $wb['monit_url_txt'] = 'Monit URL'; $wb['monit_user_txt'] = 'Monit utente'; $wb['monit_password_txt'] = 'Monit Password'; $wb['monit_url_error_regex'] = 'Monit URL non valida'; -$wb['monit_url_note_txt'] = 'Placeholder:'; +$wb['monit_url_note_txt'] = 'Marcaposto:'; $wb['munin_url_txt'] = 'Munin URL'; $wb['munin_user_txt'] = 'Munin Utente'; $wb['munin_password_txt'] = 'Munin Password'; $wb['munin_url_error_regex'] = 'Munin URL non valida'; -$wb['munin_url_note_txt'] = 'Placeholder:'; +$wb['munin_url_note_txt'] = 'Marcaposto:'; $wb['backup_dir_is_mount_txt'] = 'La direttirice di Backup è un mount?'; $wb['monitor_system_updates_txt'] = 'Verifica aggiornamenti Linux'; $wb['hostname_error_regex'] = 'Nome Host non valido.'; @@ -220,122 +220,121 @@ $wb['website_symlinks_error_regex'] = 'website symlinks non valido.'; $wb['vhost_conf_dir_error_regex'] = 'Direttrice configurazione vhost non valida.'; $wb['vhost_conf_enabled_dir_error_regex'] = 'Direttirce abilitata per vhost conf non valida.'; $wb['nginx_vhost_conf_dir_error_regex'] = 'nginx config directory non valida.'; -$wb['nginx_vhost_conf_enabled_dir_error_regex'] = 'Invalid nginx conf enabled directory.'; -$wb['ca_path_error_regex'] = 'Invalid CA path.'; -$wb['invalid_nginx_user_txt'] = 'Invalid nginx user.'; -$wb['invalid_nginx_group_txt'] = 'Invalid nginx group.'; -$wb['php_ini_path_apache_error_regex'] = 'Invalid apache php.ini path.'; -$wb['php_ini_path_cgi_error_regex'] = 'Invalid cgi php.ini path.'; -$wb['php_fpm_init_script_error_regex'] = 'Invalid php-fpm init script.'; -$wb['php_fpm_ini_path_error_regex'] = 'Invalid php-fpm ini path.'; -$wb['php_fpm_pool_dir_error_regex'] = 'Invalid php-fpm pool directory.'; -$wb['php_fpm_socket_dir_error_regex'] = 'Invalid php-fpm socket directory.'; -$wb['php_open_basedir_error_regex'] = 'Invalid php open_basedir.'; -$wb['awstats_data_dir_empty'] = 'awstats data directory is empty'; -$wb['awstats_data_dir_error_regex'] = 'Invalid awstats data directory.'; -$wb['awstats_pl_empty'] = 'awstats.pl setting vuoto.'; -$wb['awstats_pl_error_regex'] = 'Invalid awstats.pl path.'; -$wb['awstats_buildstaticpages_pl_empty'] = 'awstats_buildstaticpages.pl is empty'; -$wb['awstats_buildstaticpages_pl_error_regex'] = 'Invalid awstats_buildstaticpages.pl path.'; -$wb['invalid_bind_user_txt'] = 'Invalid BIND user.'; -$wb['invalid_bind_group_txt'] = 'Invalid BIND group.'; -$wb['bind_zonefiles_dir_error_regex'] = 'Invalid BIND zonefiles directory.'; -$wb['named_conf_path_error_regex'] = 'Invalid named.conf path.'; -$wb['named_conf_local_path_error_regex'] = 'Invalid named.conf.local path.'; -$wb['fastcgi_starter_path_error_regex'] = 'Invalid fastcgi starter path.'; -$wb['fastcgi_starter_script_error_regex'] = 'Invalid fastcgi starter script.'; -$wb['fastcgi_alias_error_regex'] = 'Invalid fastcgi alias.'; -$wb['fastcgi_phpini_path_error_regex'] = 'Invalid fastcgi path.'; -$wb['fastcgi_bin_error_regex'] = 'Invalid fastcgi bin.'; -$wb['jailkit_chroot_home_error_regex'] = 'Invalid jaikit chroot home.'; -$wb['jailkit_chroot_app_sections_error_regex'] = 'Invalid jaikit chroot sections.'; -$wb['jailkit_chroot_app_programs_error_regex'] = 'Invalid jaikit chroot app programs.'; -$wb['jailkit_chroot_cron_programs_error_regex'] = 'Invalid jaikit chroot cron programs.'; -$wb['vlogger_config_dir_error_regex'] = 'Invalid vlogger config dir.'; -$wb['cron_init_script_error_regex'] = 'Invalid cron init script.'; -$wb['crontab_dir_error_regex'] = 'Invalid crontab directory.'; -$wb['cron_wget_error_regex'] = 'Invalid cron wget path.'; -$wb['network_filesystem_txt'] = 'Network Filesystem'; -$wb['maildir_format_txt'] = 'Maildir Format'; -$wb['dkim_path_txt'] = 'DKIM Path'; -$wb['mailbox_virtual_uidgid_maps_txt'] = 'Use Websites Linux uid for mailbox'; -$wb['mailbox_virtual_uidgid_maps_info_txt'] = 'only in single web and mail-server-setup'; -$wb['mailbox_virtual_uidgid_maps_error_nosingleserver'] = 'Uid cannot be mapped in multi-server-setup.'; -$wb['mailbox_virtual_uidgid_maps_error_nodovecot'] = 'Uid-mapping can only be used with dovecot.'; -$wb['mailbox_virtual_uidgid_maps_error_alreadyusers'] = 'Uid-mapping cannot be changed if there are already mail users.'; -$wb['reject_sender_login_mismatch_txt'] = 'Reject sender and login mismatch'; -$wb['reject_unknown_txt'] = 'Reject unknown hostnames'; -$wb['tooltip_reject_unknown_txt'] = 'Requires hostnames to pass DNS checks. Not checked for authenticated users.'; -$wb['reject_unknown_helo_txt'] = 'Reject unknown helo hostnames'; -$wb['reject_unknown_client_txt'] = 'Reject unknown client hostnames'; -$wb['reject_unknown_client_helo_txt'] = 'Reject unknown helo and client hostnames'; -$wb['do_not_try_rescue_mongodb_txt'] = 'Disable MongoDB monitoring'; -$wb['v6_prefix_txt'] = 'IPv6 Prefix'; -$wb['vhost_rewrite_v6_txt'] = 'Rewrite IPv6 on Mirror'; -$wb['v6_prefix_length'] = 'Prefix too long according to defined IPv6 '; -$wb['backup_dir_mount_cmd_txt'] = 'Mount command, if backup directory not mounted'; -$wb['backup_delete_txt'] = 'Delete backups on domain/website delete'; -$wb['overquota_db_notify_threshold_txt'] = 'DB quota warning usage level'; -$wb['overquota_db_notify_admin_txt'] = 'Send DB quota warnings to admin'; -$wb['overquota_db_notify_client_txt'] = 'Send DB quota warnings to client'; +$wb['nginx_vhost_conf_enabled_dir_error_regex'] = 'Cartella conf enabled di nginx non valida.'; +$wb['ca_path_error_regex'] = 'Invalido percorso a CA.'; +$wb['invalid_nginx_user_txt'] = 'Invalido utente nginx.'; +$wb['invalid_nginx_group_txt'] = 'Invalido gruppo nginx.'; +$wb['php_ini_path_apache_error_regex'] = 'Percorso apache php.ini non valido.'; +$wb['php_ini_path_cgi_error_regex'] = 'Percorso cgi php.ini non valido.'; +$wb['php_fpm_init_script_error_regex'] = 'Script php-fpm init non valido.'; +$wb['php_fpm_ini_path_error_regex'] = 'Percorso php-fpm ini non valido.'; +$wb['php_fpm_pool_dir_error_regex'] = 'Cartella php-fpm pool non valida.'; +$wb['php_fpm_socket_dir_error_regex'] = 'Cartella php-fpm socket non valida.'; +$wb['php_open_basedir_error_regex'] = 'php open_basedir non valido.'; +$wb['awstats_data_dir_empty'] = 'awstats: la cartella dati è vuota'; +$wb['awstats_data_dir_error_regex'] = 'Cartella dati awstats non valida.'; +$wb['awstats_pl_empty'] = 'awstats.pl impostazioni vuoto.'; +$wb['awstats_pl_error_regex'] = 'Percorso awstats.pl non valido.'; +$wb['awstats_buildstaticpages_pl_empty'] = 'awstats_buildstaticpages.pl è vuoto'; +$wb['awstats_buildstaticpages_pl_error_regex'] = 'Percorso awstats_buildstaticpages.pl non valido.'; +$wb['invalid_bind_user_txt'] = 'Utente BIND non valido.'; +$wb['invalid_bind_group_txt'] = 'Gruppo BIND non valido.'; +$wb['bind_zonefiles_dir_error_regex'] = 'Cartella zone BIND non valida.'; +$wb['named_conf_path_error_regex'] = 'Percorso named.conf non valido.'; +$wb['named_conf_local_path_error_regex'] = 'Percorso named.conf.local non valido.'; +$wb['fastcgi_starter_path_error_regex'] = 'Percorso starter fastcgi non valido.'; +$wb['fastcgi_starter_script_error_regex'] = 'Percorso script di avvioo fastcgi non valido.'; +$wb['fastcgi_alias_error_regex'] = 'Alias fastcgi non valido.'; +$wb['fastcgi_phpini_path_error_regex'] = 'Percorso fastcgi non valido.'; +$wb['fastcgi_bin_error_regex'] = 'Binario fastcgi non valido.'; +$wb['jailkit_chroot_home_error_regex'] = 'Cartella home jailkit chroot non valida.'; +$wb['jailkit_chroot_app_sections_error_regex'] = 'Sezione jailkit chroot non valida.'; +$wb['jailkit_chroot_app_programs_error_regex'] = 'Programma jailkit chroot app non valido.'; +$wb['jailkit_chroot_cron_programs_error_regex'] = 'Programma jailkit chroot cron non valido.'; +$wb['vlogger_config_dir_error_regex'] = 'Cartella di configurazione vlogger non valida.'; +$wb['cron_init_script_error_regex'] = 'Script di avvio cron non valido.'; +$wb['crontab_dir_error_regex'] = 'Cartella crontab non valida.'; +$wb['cron_wget_error_regex'] = 'Percorso cron wget non valido.'; +$wb['network_filesystem_txt'] = 'Filesystem di rete'; +$wb['maildir_format_txt'] = 'Formato Maildir'; +$wb['dkim_path_txt'] = 'Percorso DKIM'; +$wb['mailbox_virtual_uidgid_maps_txt'] = 'Usare uid dei siti Web per mailbox'; +$wb['mailbox_virtual_uidgid_maps_info_txt'] = 'Solo per setup di unico sito web e server mail'; +$wb['mailbox_virtual_uidgid_maps_error_nosingleserver'] = 'Uid non può essere usato per mappare multi-server-setup.'; +$wb['mailbox_virtual_uidgid_maps_error_nodovecot'] = 'La mappatura Uidpuò essere usata solo con dovecot.'; +$wb['mailbox_virtual_uidgid_maps_error_alreadyusers'] = 'La mappatura Uid non può essere cambiata se esistono già utenti mail.'; +$wb['reject_sender_login_mismatch_txt'] = 'RIfiuta se il mittente non soddisfa login'; +$wb['reject_unknown_txt'] = 'Rifiuta hostnames sconosciuti'; +$wb['tooltip_reject_unknown_txt'] = 'Richiedi che gli hostnames tsuperino il check del DNS. Check non eseguito per utenti autenticati.'; +$wb['reject_unknown_helo_txt'] = 'Rifiuta helo hostnames sconosciuti'; +$wb['reject_unknown_client_txt'] = 'Rifiuta client hostnames sconosciuti'; +$wb['reject_unknown_client_helo_txt'] = 'Rifiuta helo e client hostnames sconosciuti'; +$wb['do_not_try_rescue_mongodb_txt'] = 'Disabilita monitoring MongoDB'; +$wb['v6_prefix_txt'] = 'Prefisso IPv6'; +$wb['vhost_rewrite_v6_txt'] = 'Riscrivi IPv6 su Mirror'; +$wb['v6_prefix_length'] = 'Prefisso troppo lungo secondo le regole IPv6'; +$wb['backup_dir_mount_cmd_txt'] = 'Comanda mount se la directory di backup non è montata'; +$wb['backup_delete_txt'] = 'Cancellare i backup alla cancellazione dei domini/siti web'; +$wb['overquota_db_notify_admin_txt'] = 'Invia avviso di quota DB all\'amministratore'; +$wb['overquota_db_notify_client_txt'] = 'Invia avviso di quota DB al cliente'; $wb['php_handler_txt'] = 'Default PHP Handler'; $wb['php_fpm_default_chroot_txt'] = 'Default chrooted PHP-FPM'; -$wb['php_fpm_incron_reload_txt'] = 'Install incron trigger file to reload PHP-FPM'; -$wb['disabled_txt'] = 'Disabled'; -$wb['dkim_strength_txt'] = 'DKIM strength'; -$wb['php_ini_check_minutes_txt'] = 'Check php.ini every X minutes for changes'; -$wb['php_ini_check_minutes_error_empty'] = 'Please specify a value how often php.ini should be checked for changes.'; +$wb['php_fpm_incron_reload_txt'] = 'Installare trigger incron trigger per riavviare PHP-FPM'; +$wb['disabled_txt'] = 'Disabilitato'; +$wb['dkim_strength_txt'] = 'Affidabilità DKIM'; +$wb['php_ini_check_minutes_txt'] = 'Verifica php.ini ogni X minuti per canbiamenti'; +$wb['php_ini_check_minutes_error_empty'] = 'Indica quanto spesso deve essere verificato php.ini per cambiamenti.'; $wb['php_ini_check_minutes_info_txt'] = '0 = no check'; $wb['web_settings_txt'] = 'Web Server'; $wb['xmpp_server_txt'] = 'XMPP Server'; $wb['xmpp_use_ipv6_txt'] = 'Use IPv6'; -$wb['xmpp_bosh_max_inactivity_txt'] = 'Max. BOSH inactivity time'; -$wb['xmpp_bosh_timeout_range_wrong'] = 'Please enter a bosh timeout range between 15 - 360'; +$wb['xmpp_bosh_max_inactivity_txt'] = 'Max. BOSH tempo di inattività time'; +$wb['xmpp_bosh_timeout_range_wrong'] = 'Inserire un tempo di bosh compreso tra 15 - 360'; $wb['xmpp_module_saslauth'] = 'saslauth'; -$wb['xmpp_server_admins_txt'] = 'Server Admins (JIDs)'; -$wb['xmpp_modules_enabled_txt'] = 'Serverwide enabled plugins (one per line)'; -$wb['xmpp_ports_txt'] = 'Component ports'; +$wb['xmpp_server_admins_txt'] = 'Amministratori del Server (JIDs)'; +$wb['xmpp_modules_enabled_txt'] = 'plugins abilitati su tutti i server (uno per linea)'; +$wb['xmpp_ports_txt'] = 'Porte del componente'; $wb['xmpp_port_http_txt'] = 'HTTP'; $wb['xmpp_port_https_txt'] = 'HTTPS'; $wb['xmpp_port_pastebin_txt'] = 'Pastebin'; $wb['xmpp_port_bosh_txt'] = 'BOSH'; -$wb['disable_bind_log_txt'] = 'Disable bind9 messages for Loglevel WARN'; -$wb['apps_vhost_enabled_txt'] = 'Apps-vhost enabled'; -$wb['backup_time_txt'] = 'Backup time'; -$wb['skip_le_check_txt'] = 'Skip Lets Encrypt Check'; -$wb['migration_mode_txt'] = 'Server Migration Mode'; -$wb['nginx_enable_pagespeed_txt'] = 'Makes Pagespeed available'; -$wb['backup_tmp_txt'] = 'Backup tmp directory for zip'; -$wb['tmpdir_path_error_empty'] = 'tmp-dir Path is empty.'; -$wb['tmpdir_path_error_regex'] = 'Invalid tmp-dir path.'; -$wb['logging_txt'] = 'Store website access and error logs'; -$wb['logging_desc_txt'] = 'Use Tools > Resync to apply changes to existing sites. For Apache, access and error log can be anonymized. For nginx, only the access log is anonymized, the error log will contain IP addresses.'; -$wb['log_retention_txt'] = 'Log retention (days)'; -$wb['log_retention_error_ispositive'] = 'Log retention must be a number > 0'; -$wb['php_default_hide_txt'] = 'Hide Default PHP-Version in selectbox'; -$wb['php_default_name_txt'] = 'Description Default PHP-Version'; -$wb['php_default_name_error_empty'] = 'Description Default PHP-Version must not be empty'; -$wb['error_mailbox_message_size_txt'] = 'Mailbox size must be larger or equal to message size'; -$wb['php_fpm_reload_mode_txt'] = 'PHP-FPM reload mode'; -$wb['content_filter_txt'] = 'Content Filter'; +$wb['disable_bind_log_txt'] = 'Disabilita messaggi bind9 di tipologia WARN'; +$wb['apps_vhost_enabled_txt'] = 'Apps-vhost abilitato'; +$wb['backup_time_txt'] = 'Ora del backuo'; +$wb['skip_le_check_txt'] = 'Salta la verifica Let\'s Encrypt'; +$wb['migration_mode_txt'] = 'Modo migrazione delServer'; +$wb['nginx_enable_pagespeed_txt'] = 'Rendi Pagespeed disponibile'; +$wb['backup_tmp_txt'] = 'Cartella temporanea di backup per zip'; +$wb['tmpdir_path_error_empty'] = 'Percorso tmp-dir è vuoto.'; +$wb['tmpdir_path_error_regex'] = 'Percorso tmp-dir non valido.'; +$wb['logging_txt'] = 'Memorizza log di accessi ed errori dei sisti web'; +$wb['logging_desc_txt'] = 'Usare Strumenti > Risincronizza per applicare le modifiche ai siti web esistenti. Con Apache, i log di accesso ed errori possono essere resi anonimi. Con nginx, solo i log di accesso sono resi anonimi, i log di errore conterranno gli indirizzi IP.'; +$wb['log_retention_txt'] = 'Tempo di conservazione dei Log (giorni)'; +$wb['log_retention_error_ispositive'] = 'Il tempo di conservazione dei Log deve essere un numero > 0'; +$wb['php_default_hide_txt'] = 'Nasconi la versione default di PHP nel box di selezione'; +$wb['php_default_name_txt'] = 'Descrizione versione Default di PHP'; +$wb['php_default_name_error_empty'] = 'Descrizione versione Default di PHP non può essere vuota'; +$wb['error_mailbox_message_size_txt'] = 'La dimensione della casella di posta deve essere più grande della dimensione del messaggio'; +$wb['php_fpm_reload_mode_txt'] = 'Metodo di riavvio PHP-FPM'; +$wb['content_filter_txt'] = 'Filtro contenuti'; $wb['rspamd_url_txt'] = 'Rspamd URL'; $wb['rspamd_user_txt'] = 'Rspamd User'; $wb['rspamd_password_txt'] = 'Rspamd Password'; $wb['rspamd_redis_servers_txt'] = 'Redis Servers'; -$wb['tooltip_rspamd_redis_servers_txt'] = 'Redis server(s) which Rspamd will use. Eg. \'127.0.0.1\', \'localhost:6379\' or \'/var/run/redis/redis-server.sock\'.'; +$wb['tooltip_rspamd_redis_servers_txt'] = 'Redis server(s) che sarà usato da Rspamd. Esempio: \'127.0.0.1\', \'localhost:6379\' or \'/var/run/redis/redis-server.sock\'.'; $wb['rspamd_redis_password_txt'] = 'Redis Password'; -$wb['tooltip_rspamd_redis_password_txt'] = 'Password for Redis Servers (leave blank if unused).'; -$wb['rspamd_redis_bayes_servers_txt'] = 'Redis Servers for Bayes'; -$wb['tooltip_rspamd_redis_bayes_servers_txt'] = 'Redis server(s) which Rspamd will use for Bayes if different (otherwise leave blank). Eg. \'localhost:6378\' or \'/var/run/redis-bayes/redis-server.sock\'.'; -$wb['rspamd_redis_bayes_password_txt'] = 'Redis Password for Bayes'; -$wb['tooltip_rspamd_redis_bayes_password_txt'] = 'Password for Bayes Redis Server (leave blank if unused).'; -$wb['vhost_proxy_protocol_enabled_txt'] = 'Enable PROXY Protocol'; -$wb['vhost_proxy_protocol_http_port_txt'] = 'PROXY Protocol HTTP Port'; -$wb['vhost_proxy_protocol_https_port_txt'] = 'PROXY Protocol HTTPS Port'; -$wb['jailkit_chroot_authorized_keys_template_txt'] = 'Jailkit authorized_keys template'; -$wb['jailkit_chroot_authorized_keys_template_error_regex'] = 'Invalid jaikit chroot authorized_keys template file.'; -$wb['jailkit_hardlinks_txt'] = 'Hardlinks within Jailkit chroot'; -$wb['tooltip_jailkit_hardlinks_txt'] = 'Using hardlinks is insecure, but saves disk space.'; -$wb['jailkit_hardlinks_allow_txt'] = 'Allow hardlinks within the jail'; -$wb['jailkit_hardlinks_no_txt'] = 'No, remove hardlinked files'; -$wb['jailkit_hardlinks_yes_txt'] = 'Yes, use hardlinks if possible'; +$wb['tooltip_rspamd_redis_password_txt'] = 'Password per Redis Servers (lasciare vuoto se non usato).'; +$wb['rspamd_redis_bayes_servers_txt'] = 'Redis Servers per Bayes'; +$wb['tooltip_rspamd_redis_bayes_servers_txt'] = 'Redis server(s) che Rspamd userà per Bayes se differente (altrimenti lasciare vuoto). Esempio: \'localhost:6378\' or \'/var/run/redis-bayes/redis-server.sock\'.'; +$wb['rspamd_redis_bayes_password_txt'] = 'Redis Password per Bayes'; +$wb['tooltip_rspamd_redis_bayes_password_txt'] = 'Password per Bayes Redis Server (lasciare vuoto se non usato).'; +$wb['vhost_proxy_protocol_enabled_txt'] = 'Abilita protocollo PROXY'; +$wb['vhost_proxy_protocol_http_port_txt'] = 'Porta HHTP per il protocollo PROXY'; +$wb['vhost_proxy_protocol_https_port_txt'] = 'Porta HHTPS per il protocollo PROXY'; +$wb['jailkit_chroot_authorized_keys_template_txt'] = 'modello Jailkit authorized_keys'; +$wb['jailkit_chroot_authorized_keys_template_error_regex'] = 'modello file per jailkit chroot authorized_keys non valido.'; +$wb['jailkit_hardlinks_txt'] = 'Hardlinks per Jailkit chroot'; +$wb['tooltip_jailkit_hardlinks_txt'] = 'L\'uso di hardlinks è meno sicuro però riduce lo spazio disco.'; +$wb['jailkit_hardlinks_allow_txt'] = 'Consenti hardlinks all\'interno di jail'; +$wb['jailkit_hardlinks_no_txt'] = 'No, rimuovi i file con hardlink'; +$wb['jailkit_hardlinks_yes_txt'] = 'Si, usa hardlinks se possibile'; diff --git a/interface/web/admin/lib/lang/it_server_ip.lng b/interface/web/admin/lib/lang/it_server_ip.lng index 9850f2e38bd01dad3672029d27bcb5d0179388d3..42cecce91ad41bc51f2d77d7869409eab946d4c1 100644 --- a/interface/web/admin/lib/lang/it_server_ip.lng +++ b/interface/web/admin/lib/lang/it_server_ip.lng @@ -1,13 +1,13 @@ <?php -$wb['server_ip_edit_title'] = 'IP Adresses'; -$wb['server_ip_edit_desc'] = 'Form to edit system IP adresses'; +$wb['server_ip_edit_title'] = 'Indirizzi IP'; +$wb['server_ip_edit_desc'] = 'Modulo per editare gli indirizzi IP'; $wb['server_id_txt'] = 'Server'; $wb['ip_address_txt'] = 'Indirizzo IP'; $wb['virtualhost_txt'] = 'HTTP NameVirtualHost'; $wb['ip_error_wrong'] = 'Indirizzo IP non valido'; $wb['ip_error_unique'] = 'Indirizzo IP deve essere unico'; $wb['client_id_txt'] = 'Cliente'; -$wb['ip_type_txt'] = 'Type'; -$wb['virtualhost_port_txt'] = 'HTTP Ports'; +$wb['ip_type_txt'] = 'tipo'; +$wb['virtualhost_port_txt'] = 'Porte HTTP'; $wb['error_port_syntax'] = 'Caratteri non validi nel campo porta, per favore inserire solo valori separati da virgola. Esempio: 80,443'; ?> diff --git a/interface/web/admin/lib/lang/it_server_ip_list.lng b/interface/web/admin/lib/lang/it_server_ip_list.lng index b831408dc042c78735dc5719ff580ef246588ab6..97e19468bf165307cf46d1a0bc0801e910ab7a1e 100644 --- a/interface/web/admin/lib/lang/it_server_ip_list.lng +++ b/interface/web/admin/lib/lang/it_server_ip_list.lng @@ -5,6 +5,6 @@ $wb['ip_address_txt'] = 'Indirizzo IP'; $wb['add_new_record_txt'] = 'Aggiungi nuovo indirizzo IP'; $wb['client_id_txt'] = 'Cliente'; $wb['virtualhost_txt'] = 'HTTP Vhost'; -$wb['virtualhost_port_txt'] = 'HTTP Ports'; -$wb['ip_type_txt'] = 'Type'; +$wb['virtualhost_port_txt'] = 'Porte HTTP'; +$wb['ip_type_txt'] = 'Tipo'; ?> diff --git a/interface/web/admin/lib/lang/it_server_ip_map.lng b/interface/web/admin/lib/lang/it_server_ip_map.lng index f02bdafd848b900e9960346c10c6e927221b10f7..fff88acc12ba426fc5450204a69edbb8df0d77a6 100644 --- a/interface/web/admin/lib/lang/it_server_ip_map.lng +++ b/interface/web/admin/lib/lang/it_server_ip_map.lng @@ -1,14 +1,14 @@ <?php -$wb['server_ip_map_title'] = 'IPv4 Address mapping'; -$wb['server_ip_map_desc'] = 'Form to map IPv4-addresses for Web-Server'; +$wb['server_ip_map_title'] = 'Mappatura indirizzi IPv4'; +$wb['server_ip_map_desc'] = 'Modulo per mappare indirizzi IPv4 per i server Web'; $wb['server_id_txt'] = 'Rewrite on Server'; -$wb['source_txt'] = 'Source IP'; -$wb['destination_txt'] = 'Destination IP'; -$wb['active_txt'] = 'Active'; -$wb['ip_error_wrong'] = 'The Destination IP address is invalid'; -$wb['destination_ip_empty'] = 'The Destination IP is empty.'; -$wb['source_ip_empty'] = 'The Source IP is empty.'; -$wb['server_empty_error'] = 'The Server is empty.'; -$wb['duplicate_mapping_error'] = 'Mapping already exists.'; -$wb['ip_mapping_error'] = 'Source IP can not be an IP of the Rewrite-Server'; +$wb['source_txt'] = 'IP Sorgennte'; +$wb['destination_txt'] = 'IP Destinazione'; +$wb['active_txt'] = 'Attivo'; +$wb['ip_error_wrong'] = 'L\'indirizzo IP destinazione non è valido'; +$wb['destination_ip_empty'] = 'L\'indirizzo IP destinazione è vuoto.'; +$wb['source_ip_empty'] = 'L\'indirizzo IP sorgente èvuoto .'; +$wb['server_empty_error'] = 'Il Server è vuoto.'; +$wb['duplicate_mapping_error'] = 'La mappatura esiste già .'; +$wb['ip_mapping_error'] = 'l\'IP sorgente non può essere un Server rewrite.'; ?> diff --git a/interface/web/admin/lib/lang/it_server_ip_map_list.lng b/interface/web/admin/lib/lang/it_server_ip_map_list.lng index 1fedc10b2e2590cb4c252d9c0ff90eeaf565d68b..790975c33aa3423e72356c424e88ac5564dc08cd 100644 --- a/interface/web/admin/lib/lang/it_server_ip_map_list.lng +++ b/interface/web/admin/lib/lang/it_server_ip_map_list.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'IP Mappings'; +$wb['list_head_txt'] = 'Mappatura IP'; $wb['server_id_txt'] = 'Server'; -$wb['source_ip_txt'] = 'Source IP'; -$wb['destination_ip_txt'] = 'Destination IP'; -$wb['active_txt'] = 'Active'; +$wb['source_ip_txt'] = 'Sorgente IP'; +$wb['destination_ip_txt'] = 'Destinazione IP'; +$wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/admin/lib/lang/it_server_php.lng b/interface/web/admin/lib/lang/it_server_php.lng index d85b5cd7da2a6adb369442e1b08734a4e3880d3f..7569ba9b5215c7bbdb3ecfd5eab10c5a2b8e544f 100644 --- a/interface/web/admin/lib/lang/it_server_php.lng +++ b/interface/web/admin/lib/lang/it_server_php.lng @@ -1,20 +1,20 @@ <?php $wb['server_id_txt'] = 'Server'; $wb['client_id_txt'] = 'Cliente'; -$wb['name_txt'] = 'PHP Name'; +$wb['name_txt'] = 'PHP Nome'; $wb['Name'] = 'Nome'; -$wb['FastCGI Settings'] = 'FastCGI Settings'; -$wb['PHP-FPM Settings'] = 'PHP-FPM Settings'; -$wb['Additional PHP Versions'] = 'Additional PHP Versions'; -$wb['Form to edit additional PHP versions'] = 'Form to edit additional PHP versions'; -$wb['server_php_name_error_empty'] = 'The Name field must not be vuoto.'; -$wb['php_fastcgi_binary_txt'] = 'Percorso per PHP FastCGI binary'; -$wb['php_fastcgi_ini_dir_txt'] = 'Percorso per php.ini directory'; -$wb['php_fpm_init_script_txt'] = 'Percorso per PHP-FPM init script'; -$wb['php_fpm_ini_dir_txt'] = 'Percorso per php.ini directory'; -$wb['php_fpm_pool_dir_txt'] = 'Percorso per PHP-FPM pool directory'; +$wb['FastCGI Settings'] = 'Impostazioni FastCGI'; +$wb['PHP-FPM Settings'] = 'Impostazioni PHP-FPM'; +$wb['Additional PHP Versions'] = 'Versioni PHP aggiuntive'; +$wb['Form to edit additional PHP versions'] = 'Modulo per editare versioni aggiuntive PHP'; +$wb['server_php_name_error_empty'] = 'Il campo nome non può essere vuoto.'; +$wb['php_fastcgi_binary_txt'] = 'Percorso per PHP FastCGI binary'; +$wb['php_fastcgi_ini_dir_txt'] = 'Percorso per php.ini directory'; +$wb['php_fpm_init_script_txt'] = 'Percorso per PHP-FPM init script'; +$wb['php_fpm_ini_dir_txt'] = 'Percorso per php.ini directory'; +$wb['php_fpm_pool_dir_txt'] = 'Percorso per PHP-FPM pool directory'; $wb['php_fpm_socket_dir_txt'] = 'PHP-FPM socket directory'; -$wb['active_txt'] = 'Active'; -$wb['php_in_use_error'] = 'This PHP-Version is in use.'; -$wb['php_name_in_use_error'] = 'The name can not be changed.'; +$wb['active_txt'] = 'Attivo'; +$wb['php_in_use_error'] = 'Questa versione PHP è in uso.'; +$wb['php_name_in_use_error'] = 'Il nome non può essere cambiato.'; ?> diff --git a/interface/web/admin/lib/lang/it_software_package.lng b/interface/web/admin/lib/lang/it_software_package.lng new file mode 100644 index 0000000000000000000000000000000000000000..4125430c567a8b712d6356182400efa4bfede986 --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_package.lng @@ -0,0 +1,6 @@ +<?php +$wb['package_title_txt'] = 'Titolo pacchetto'; +$wb['package_key_txt'] = 'Chiave del Pacchetto'; +$wb['Software Package'] = 'Pacchetto Software'; +$wb['Modify software package details'] = 'Modifica dettagli pacchetto software'; +?> diff --git a/interface/web/admin/lib/lang/it_software_package_install.lng b/interface/web/admin/lib/lang/it_software_package_install.lng new file mode 100644 index 0000000000000000000000000000000000000000..1e210d58940cd0a352afaf9ff1d0f81697b8540e --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_package_install.lng @@ -0,0 +1,6 @@ +<?php +$wb['head_txt'] = 'Installa pacchetto software'; +$wb['install_key_txt'] = 'Inserisci chiave pacchetto'; +$wb['btn_save_txt'] = 'Avvia installazione'; +$wb['btn_cancel_txt'] = 'Annulla'; +?> diff --git a/interface/web/admin/lib/lang/it_software_package_list.lng b/interface/web/admin/lib/lang/it_software_package_list.lng new file mode 100644 index 0000000000000000000000000000000000000000..5ab82417de404318600984e7ac4d732fcb130840 --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_package_list.lng @@ -0,0 +1,13 @@ +<?php +$wb['list_head_txt'] = 'Pacchetti Software'; +$wb['installed_txt'] = 'Stato'; +$wb['package_title_txt'] = 'Pacchetto'; +$wb['package_description_txt'] = 'Descrizione'; +$wb['action_txt'] = 'Action'; +$wb['toolsarea_head_txt'] = 'Pacchetti'; +$wb['repoupdate_txt'] = 'Aggiorna elenco pacchetti'; +$wb['package_id_txt'] = 'local App-ID'; +$wb['no_packages_txt'] = 'Nessun pacchetto disponibile'; +$wb['edit_txt'] = 'Modifica'; +$wb['delete_txt'] = 'Elimina'; +?> diff --git a/interface/web/admin/lib/lang/it_software_repo.lng b/interface/web/admin/lib/lang/it_software_repo.lng new file mode 100644 index 0000000000000000000000000000000000000000..76b01826971d75f28c53c52dbbed40f3587a7fdd --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_repo.lng @@ -0,0 +1,8 @@ +<?php +$wb['repo_name_txt'] = 'Repository'; +$wb['repo_url_txt'] = 'URL'; +$wb['repo_username_txt'] = 'Utente (facoltativo)'; +$wb['repo_password_txt'] = 'Password (facoltativa)'; +$wb['active_txt'] = 'Attivo'; +$wb['Software Repository which may contain addons or updates'] = 'Software Repository che può contenere aggiunte o aggiornamenti'; +?> diff --git a/interface/web/admin/lib/lang/it_software_repo_list.lng b/interface/web/admin/lib/lang/it_software_repo_list.lng new file mode 100644 index 0000000000000000000000000000000000000000..be378f3ca8e32d75cf538e74d04631a7eb4e1bd7 --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_repo_list.lng @@ -0,0 +1,6 @@ +<?php +$wb['list_head_txt'] = 'Repository'; +$wb['active_txt'] = 'Attivo'; +$wb['repo_name_txt'] = 'Repository'; +$wb['repo_url_txt'] = 'URL del Repository'; +?> diff --git a/interface/web/admin/lib/lang/it_software_update_list.lng b/interface/web/admin/lib/lang/it_software_update_list.lng new file mode 100644 index 0000000000000000000000000000000000000000..cc264b84eccbc926ccc68ca4b553548ad9eaf764 --- /dev/null +++ b/interface/web/admin/lib/lang/it_software_update_list.lng @@ -0,0 +1,9 @@ +<?php +$wb['list_head_txt'] = 'Aggiornamento programmi'; +$wb['installed_txt'] = 'Azione'; +$wb['update_title_txt'] = 'Aggiornamento'; +$wb['version_txt'] = 'Versione'; +$wb['action_txt'] = 'Azione'; +$wb['server_select_txt'] = 'Selezionare server'; +$wb['no_updates_txt'] = 'Nessun aggiornamento disponibile'; +?> diff --git a/interface/web/admin/lib/lang/it_system_config.lng b/interface/web/admin/lib/lang/it_system_config.lng index f77dc6806160ab19c9a12ab2a04ac1c62530b9ac..d58e1d1d22f481647a73175938358d02486c193b 100644 --- a/interface/web/admin/lib/lang/it_system_config.lng +++ b/interface/web/admin/lib/lang/it_system_config.lng @@ -6,104 +6,105 @@ $wb['dbname_prefix_txt'] = 'Prefisso nome database'; $wb['dbuser_prefix_txt'] = 'Prefisso utente database'; $wb['shelluser_prefix_txt'] = 'Prefisso utente Shell'; $wb['ftpuser_prefix_txt'] = 'Prefisso utente FTP'; -$wb['dbname_prefix_error_regex'] = 'Char not allowed in database name prefix.'; -$wb['dbuser_prefix_error_regex'] = 'Char not allowed in database user prefix.'; -$wb['ftpuser_prefix_error_regex'] = 'Char not allowed in ftp user prefix.'; -$wb['shelluser_prefix_error_regex'] = 'Char not allowed in shell user prefix.'; -$wb['dblist_phpmyadmin_link_txt'] = 'Link to phpmyadmin in DB list'; -$wb['mailboxlist_webmail_link_txt'] = 'Link to webmail in Mailbox list'; +$wb['dbname_prefix_error_regex'] = 'Carattere non consentito nel prefisso del nome database.'; +$wb['dbuser_prefix_error_regex'] = 'Carattere non consentito nel prefisso del nome utente database.'; +$wb['ftpuser_prefix_error_regex'] = 'Carattere non consentito nel prefisso del nome utente FTP.'; +$wb['shelluser_prefix_error_regex'] = 'Carattere non consentito nel prefisso del nome utente shell..'; +$wb['dblist_phpmyadmin_link_txt'] = 'Collegamento a phpmyadmin nella lista dei DB'; +$wb['mailboxlist_webmail_link_txt'] = 'Collegamento a webmail nella lista di Mailbox'; $wb['webmail_url_txt'] = 'Webmail URL'; $wb['phpmyadmin_url_txt'] = 'PHPMyAdmin URL'; -$wb['use_domain_module_txt'] = 'Use the domain-module to add new domains'; -$wb['use_domain_module_hint'] = 'If you use this module, your customers can only select one of the domains the admin creates for them. They can not free edit the domain-field.You have to re-login after changing this value, to make the changes visible.'; -$wb['new_domain_txt'] = 'HTML to create a new domain'; -$wb['webdavuser_prefix_txt'] = 'Webdav user prefix'; -$wb['webdavuser_prefix_error_regex'] = 'Char not allowed in webdav user prefix.'; +$wb['use_domain_module_txt'] = 'Usare il modulo Siti per aggiungere un Dominio'; +$wb['use_domain_module_hint'] = 'Se usi questo modulo, i tuoi clienti potranno solamente selezionare uno dei domini creati per loro. Non potranno cambiare a loro piacimento i campi del dominio. Devi disconnetterti e rifare il login dopo aver cambiato i dati affinchè questi siano visibili.'; +$wb['new_domain_txt'] = 'HTML per creare un nuovo dominio'; +$wb['webdavuser_prefix_txt'] = 'Prefisso utente webdav'; +$wb['webdavuser_prefix_error_regex'] = 'Carattere non consentito nel prefisso del nome utente webdav..'; $wb['webftp_url_txt'] = 'WebFTP URL'; $wb['dashboard_atom_url_admin_txt'] = 'Dashboard atom feed URL (admin)'; $wb['dashboard_atom_url_reseller_txt'] = 'Dashboard atom feed URL (reseller)'; $wb['dashboard_atom_url_client_txt'] = 'Dashboard atom feed URL (client)'; -$wb['enable_welcome_mail_txt'] = 'Enable welcome email'; -$wb['enable_custom_login_txt'] = 'Allow custom login name'; -$wb['mailmailinglist_link_txt'] = 'Link to mailing list in Mailing list list'; +$wb['enable_welcome_mail_txt'] = 'Abilita email di benvenuto'; +$wb['enable_custom_login_txt'] = 'Consenti login name personalizzati'; +$wb['mailmailinglist_link_txt'] = 'Collegamento alla mailing list in Mailing list list'; $wb['mailmailinglist_url_txt'] = 'Mailing list URL'; -$wb['admin_mail_txt'] = 'Administrators e-mail'; -$wb['admin_name_txt'] = 'Administrators name'; -$wb['maintenance_mode_txt'] = 'Maintenance Mode'; -$wb['maintenance_mode_exclude_ips_txt'] = 'Exclude IP\'s from maintenance'; -$wb['maintenance_mode_exclude_ips_error_isip'] = 'One or more invalid IP addresses in maintenance mode exclude list. Must be a list of comma-separated IPv4 and/or IPv6 addresses.'; -$wb['smtp_enabled_txt'] = 'Use SMTP to send system mails'; +$wb['admin_mail_txt'] = 'Email dell\'Amministratore'; +$wb['admin_name_txt'] = 'Nome dell\'Amministratore name'; +$wb['maintenance_mode_txt'] = 'Modo manutenzione'; +$wb['maintenance_mode_exclude_ips_txt'] = 'Escludere IP\'s per manutenzione'; +$wb['maintenance_mode_exclude_ips_error_isip'] = 'Uno o più indirizzi IP errati nella lista di esclusione per manutenzione. Deve essere una lista, separata da virgole, di indirizzi IPv4 e/o IPv6.'; +$wb['smtp_enabled_txt'] = 'Usare SMTP per inviare mail di sistema'; $wb['smtp_host_txt'] = 'SMTP host'; -$wb['smtp_port_txt'] = 'SMTP port'; -$wb['smtp_user_txt'] = 'SMTP user'; +$wb['smtp_port_txt'] = 'SMTP porta'; +$wb['smtp_user_txt'] = 'SMTP utente'; $wb['smtp_pass_txt'] = 'SMTP password'; -$wb['smtp_crypt_txt'] = 'Use SSL/TLS encrypted connection for SMTP'; -$wb['smtp_missing_admin_mail_txt'] = 'Please enter the admin name and admin mail address if you want to use smtp mail sending.'; -$wb['tab_change_discard_txt'] = 'Discard changes on tab change'; -$wb['tab_change_warning_txt'] = 'Tab change warning'; -$wb['tab_change_warning_note_txt'] = 'Show a warning on tab change in edit forms if any data has been altered by the user.'; -$wb['vhost_subdomains_txt'] = 'Crea Subdomains as web site'; -$wb['vhost_subdomains_note_txt'] = 'You cannot disable this as long as vhost subdomains exist in the system!'; -$wb['phpmyadmin_url_error_regex'] = 'Invalid phpmyadmin URL'; -$wb['use_combobox_txt'] = 'Use jQuery UI Combobox'; -$wb['use_loadindicator_txt'] = 'Use Load Indicator'; -$wb['f5_to_reload_js_txt'] = 'If you change this, you might have to press F5 to make the browser reload JavaScript libraries or empty your browser cache.'; -$wb['client_username_web_check_disabled_txt'] = 'Disable client username check for the word \'web\'.'; -$wb['show_per_domain_relay_options_txt'] = 'Show per domain relay options'; -$wb['mailbox_show_autoresponder_tab_txt'] = 'Show autoresponder tab in mail account details'; -$wb['mailbox_show_mail_filter_tab_txt'] = 'Show mail filter tab in mail account details'; -$wb['mailbox_show_custom_rules_tab_txt'] = 'Show custom mailfilter tab in mail account details'; -$wb['webmail_url_error_regex'] = 'Invalid webmail URL'; -$wb['phpmyadmin_url_note_txt'] = 'Placeholder:'; -$wb['webmail_url_note_txt'] = 'Placeholder:'; -$wb['available_dashlets_note_txt'] = 'Available Dashlets:'; -$wb['admin_dashlets_left_txt'] = 'Left Admin Dashlets'; -$wb['admin_dashlets_right_txt'] = 'Right Admin Dashlets'; -$wb['reseller_dashlets_left_txt'] = 'Left Reseller Dashlets'; -$wb['reseller_dashlets_right_txt'] = 'Right Reseller Dashlets'; -$wb['client_dashlets_left_txt'] = 'Left Client Dashlets'; -$wb['client_dashlets_right_txt'] = 'Right Client Dashlets'; -$wb['customer_no_template_txt'] = 'Customer No. template'; -$wb['customer_no_template_error_regex_txt'] = 'The customer No. template contains invalid characters'; -$wb['customer_no_start_txt'] = 'Customer No. start value'; -$wb['customer_no_counter_txt'] = 'Customer No. counter'; -$wb['session_timeout_txt'] = 'Session timeout (minutes)'; -$wb['session_allow_endless_txt'] = 'Enable \\"stay logged in\\"'; +$wb['smtp_crypt_txt'] = 'Usare connessione cifrata SSL/TLS per SMTP'; +$wb['smtp_missing_admin_mail_txt'] = 'Inserire nome amministratore e mail amministratore se vuoi usaresmtp per inviare mail.'; +$wb['tab_change_discard_txt'] = 'Trascura le modifiche al cambio di scheda'; +$wb['tab_change_warning_txt'] = 'Avviso di cambio scheda'; +$wb['tab_change_warning_note_txt'] = 'Mostra un avviso al cambio di scheda se qualche dato è stato cambiato nel modulo in uso.'; +$wb['vhost_subdomains_txt'] = 'Crea Sottodomini come siti web'; +$wb['vhost_subdomains_note_txt'] = 'Non puoi disabilitare questo fintanto che un sottodominio vhost esiste nel sistema!'; +$wb['phpmyadmin_url_error_regex'] = 'URL a phpmyadmin non valido'; +$wb['use_combobox_txt'] = 'Usare jQuery UI Combobox'; +$wb['use_loadindicator_txt'] = 'Usare Indicatore di carico'; +$wb['f5_to_reload_js_txt'] = 'Se cambi questo, dovrai premere F5 per costringere il browser a ricaricare le librerie JavaScript oppure devi svuotare la cache del browser.'; +$wb['client_username_web_check_disabled_txt'] = 'Disabilita la verifica del nome utente per la parola \'web\'.'; +$wb['show_per_domain_relay_options_txt'] = 'Mostra le opzioni di relay per il dominio'; +$wb['mailbox_show_autoresponder_tab_txt'] = 'Mostra la scheda autorisponditore nel profilo mail'; +$wb['mailbox_show_mail_filter_tab_txt'] = 'Mostra la scheda dei filtri mail nel profilo mail'; +$wb['mailbox_show_custom_rules_tab_txt'] = 'Mostra la scheda di filtri mail personalizzati nel profilo mail'; +$wb['webmail_url_error_regex'] = 'URL webmail non valido'; +$wb['phpmyadmin_url_note_txt'] = 'Segnaposto:'; +$wb['webmail_url_note_txt'] = 'Segnaposto:'; +$wb['available_dashlets_note_txt'] = 'Dashlets disponibili:'; +$wb['admin_dashlets_left_txt'] = 'Dashlets di sinistra per amministratore'; +$wb['admin_dashlets_right_txt'] = 'Dashlets di destra per amministratore'; +$wb['reseller_dashlets_left_txt'] = 'Dashlets di sinistra per rivenditore'; +$wb['reseller_dashlets_right_txt'] = 'Dashlets di destra per rivenditore'; +$wb['client_dashlets_left_txt'] = 'Dashlets di sinistra per Clienti'; +$wb['client_dashlets_right_txt'] = 'Dashlets di destra per Clienti'; +$wb['customer_no_template_txt'] = 'Modello per n° cliente'; +$wb['customer_no_template_error_regex_txt'] = 'Il templeate per il n° cliente contiene caratteri non validi'; +$wb['customer_no_start_txt'] = 'Valore iniziale del n° Cliente'; +$wb['customer_no_counter_txt'] = 'Contatore n° Clienti'; +$wb['session_timeout_txt'] = 'Timeout di sessione (minuti)'; +$wb['session_allow_endless_txt'] = 'Abilita \\"rimani collegato\\"'; $wb['No'] = 'No'; -$wb['min_password_length_txt'] = 'Minimum password length'; -$wb['min_password_strength_txt'] = 'Minimum password strength'; -$wb['ssh_authentication_txt'] = 'Allowed SSH authentication'; -$wb['ssh_authentication_password_key'] = 'Password & Key'; +$wb['min_password_length_txt'] = 'Lunghezza minima della password'; +$wb['min_password_strength_txt'] = 'Robustezza minima della password'; +$wb['ssh_authentication_txt'] = 'Autenticazione SSH consentita'; +$wb['ssh_authentication_password_key'] = 'Password & Chiave'; $wb['ssh_authentication_password'] = 'Password'; -$wb['ssh_authentication_key'] = 'Key'; -$wb['vhost_aliasdomains_txt'] = 'Create aliasdomains as web site'; -$wb['vhost_aliasdomains_note_txt'] = 'You cannot disable this as long as vhost aliasdomains exist in the system!'; -$wb['backups_include_into_web_quota_txt'] = 'Include backup files into web quota.'; +$wb['ssh_authentication_key'] = 'Chiave'; +$wb['vhost_aliasdomains_txt'] = 'Crea dominio alias come sito web'; +$wb['vhost_aliasdomains_note_txt'] = 'Non puoi disabilitare questo fintanto che un dominio alias vhost è presente nel sistema!'; +$wb['backups_include_into_web_quota_txt'] = 'Includere i file di backup nella quota web.'; $wb['default_mailserver_txt'] = 'Default Mailserver'; $wb['default_webserver_txt'] = 'Default Webserver'; $wb['default_dnsserver_txt'] = 'Default DNS Server'; $wb['default_slave_dnsserver_txt'] = 'Default Secondary DNS Server'; $wb['default_dbserver_txt'] = 'Default Database Server'; -$wb['company_name_txt'] = 'Company Name for the page title'; -$wb['reseller_can_use_options_txt'] = 'Reseller can use the option-tab for websites'; -$wb['custom_login_text_txt'] = 'Custom Text on Login-Page'; -$wb['custom_login_link_txt'] = 'Custom Link on Login-Page'; -$wb['login_link_error_regex'] = 'Invalid Link for Custom Login'; +$wb['company_name_txt'] = 'Nome azienda per il titolo della pagina'; +$wb['reseller_can_use_options_txt'] = 'Il Rivenditore può usare la scheda opzioni per i siti web'; +$wb['custom_login_text_txt'] = 'Text personalizzato nella pagina di login'; +$wb['custom_login_link_txt'] = 'Collegamento personalizzato nella pagina di login'; +$wb['login_link_error_regex'] = 'Collegamento per login personalizzato non valido'; $wb['default_remote_dbserver_txt'] = 'DB remoti predefiniti'; $wb['disable_client_remote_dbserver_txt'] = 'Disabilita la configurazione dei DB Remoti per i clienti'; -$wb['ca_name_txt'] = 'Name'; -$wb['ca_issue_txt'] = 'Issue'; -$wb['ca_wildcard_txt'] = 'Use Wildcard'; -$wb['ca_critical_txt'] = 'Strict Check'; +$wb['ca_name_txt'] = 'Nome'; +$wb['ca_issue_txt'] = 'Testo'; +$wb['ca_wildcard_txt'] = 'Usare Wildcard'; +$wb['ca_critical_txt'] = 'Verifica approfondita'; $wb['ca_iodef_txt'] = 'iodef'; -$wb['active_txt'] = 'Aktive'; -$wb['btn_save_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Cancel'; +$wb['active_txt'] = 'Attivo'; +$wb['btn_save_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Annulla'; $wb['web_php_options_txt'] = 'PHP Handler (Apache only)'; -$wb['client_protection_txt'] = 'Client protection'; -$wb['show_support_messages_txt'] = 'Show message function in help module'; -$wb['show_aps_menu_txt'] = 'Show APS menu'; -$wb['show_aps_menu_note_txt'] = 'APS will be removed from the panel in the near future.'; +$wb['client_protection_txt'] = 'Protezione Cliente'; +$wb['show_support_messages_txt'] = 'Mostra la funzione messaggio nel modulo Help'; +$wb['show_aps_menu_txt'] = 'Mostra menu APS'; +$wb['show_aps_menu_note_txt'] = 'APS saranno rimosse dal pannello in un prossimo futuro.'; +$wb['show_aps_menu_note_url_txt'] = 'Clicca qui per maggiori informazioni.'; $wb['show_aps_menu_note_url_txt'] = 'Click here for more information.'; $wb['dns_show_zoneexport_txt'] = 'Show zone export.'; ?> diff --git a/interface/web/admin/lib/lang/it_tpl_default_admin.lng b/interface/web/admin/lib/lang/it_tpl_default_admin.lng index 04d2bd959ac8d2e2f376f1bbd86d5b910e0ff5fe..ba9e1b41bb29b8cb70557021baadbf86b64867da 100644 --- a/interface/web/admin/lib/lang/it_tpl_default_admin.lng +++ b/interface/web/admin/lib/lang/it_tpl_default_admin.lng @@ -1,18 +1,18 @@ <?php -$wb['tpl_default_admin_head_txt'] = 'Global Default-Theme Settings'; +$wb['tpl_default_admin_head_txt'] = 'Impostazioni globali del tema default'; $wb['tpl_default_admin_desc_txt'] = ''; $wb['server_id_txt'] = 'Server'; $wb['client_id_txt'] = 'Cliente'; -$wb['name_txt'] = 'PHP Name'; +$wb['name_txt'] = 'Nome PHP'; $wb['Name'] = 'Nome'; -$wb['FastCGI Settings'] = 'FastCGI Settings'; -$wb['PHP-FPM Settings'] = 'PHP-FPM Settings'; -$wb['Additional PHP Versions'] = 'Additional PHP Versions'; -$wb['Form to edit additional PHP versions'] = 'Form to edit additional PHP versions'; -$wb['server_php_name_error_empty'] = 'The Name field must not be vuoto.'; -$wb['php_fastcgi_binary_txt'] = 'Percorso per PHP FastCGI binary'; -$wb['php_fastcgi_ini_dir_txt'] = 'Percorso per php.ini directory'; -$wb['php_fpm_init_script_txt'] = 'Percorso per PHP-FPM init script'; -$wb['php_fpm_ini_dir_txt'] = 'Percorso per php.ini directory'; -$wb['php_fpm_pool_dir_txt'] = 'Percorso per PHP-FPM pool directory'; +$wb['FastCGI Settings'] = 'Impostazioni FastCGI'; +$wb['PHP-FPM Settings'] = 'Impostazioni PHP-FPM'; +$wb['Additional PHP Versions'] = 'Versioni PHP aggiuntive'; +$wb['Form to edit additional PHP versions'] = 'Modulo per gestire le versioni addizionali di PHP'; +$wb['server_php_name_error_empty'] = 'Il campo nome non può essere vuoto.'; +$wb['php_fastcgi_binary_txt'] = 'Percorso per PHP FastCGI binary'; +$wb['php_fastcgi_ini_dir_txt'] = 'Percorso per php.ini directory'; +$wb['php_fpm_init_script_txt'] = 'Percorso per PHP-FPM init script'; +$wb['php_fpm_ini_dir_txt'] = 'Percorso per php.ini directory'; +$wb['php_fpm_pool_dir_txt'] = 'Percorso per PHP-FPM pool directory'; ?> diff --git a/interface/web/admin/lib/lang/it_users.lng b/interface/web/admin/lib/lang/it_users.lng index 9e9f4eae970d41e1e3018f5afe46a5afa1ae0a0e..57a462394aa55abfe9f5c0e8c32c04a4b6b51d26 100644 --- a/interface/web/admin/lib/lang/it_users.lng +++ b/interface/web/admin/lib/lang/it_users.lng @@ -1,13 +1,13 @@ <?php -$wb['users_txt'] = 'Users'; +$wb['users_txt'] = 'Utenti'; $wb['username_txt'] = 'Nome utente'; $wb['username_err'] = 'Nome utente troppo lungo o avente caratteri non validi.'; $wb['username_empty'] = 'Nome utente mancante.'; $wb['username_unique'] = 'Nome utente già utilizzato.'; $wb['password_txt'] = 'Password'; -$wb['password_strength_txt'] = 'Solidità password'; +$wb['password_strength_txt'] = 'Robustezza password'; $wb['modules_txt'] = 'Modulo'; -$wb['startmodule_txt'] = 'Startmodule'; +$wb['startmodule_txt'] = 'Modulo di avvio'; $wb['app_theme_txt'] = 'Aspetto'; $wb['typ_txt'] = 'Tipo'; $wb['active_txt'] = 'Attiva'; @@ -25,14 +25,14 @@ $wb['telefon_txt'] = 'Telefono'; $wb['fax_txt'] = 'Fax'; $wb['groups_txt'] = 'Gruppi'; $wb['default_group_txt'] = 'Gruppo predefinito'; -$wb['startmodule_err'] = 'Start module is not within modules.'; +$wb['startmodule_err'] = 'Il modulo di avvio non è presente.'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['username_error_collision'] = 'The username may not be web or web plus a number.\\"'; -$wb['client_not_admin_err'] = 'A user that belongs to a client can not be set to type: admin'; -$wb['lost_password_function_txt'] = 'Forgot password function is available'; -$wb['no_user_insert'] = 'CP-Users of type -user- get added and updated automatically when you add a client or reseller.'; +$wb['username_error_collision'] = 'Il nome utente non può essere web o web+un numero.\\"'; +$wb['client_not_admin_err'] = 'Un utente che appartiene ad un cliente non può essere del tipo: admin'; +$wb['lost_password_function_txt'] = 'La funzione password dimenticata è disponibile'; +$wb['no_user_insert'] = 'CP-Utente di tipo -utente- viene aggiunto automaticamente quando aggiungi un cliente o un rivenditore.'; $wb['otp_auth_txt'] = '2-Factor Authentication'; ?> diff --git a/interface/web/admin/lib/lang/it_users_list.lng b/interface/web/admin/lib/lang/it_users_list.lng index decfe623aa4acd63a091c53e5d1e8392c98d8061..6d2acae1ec10793d7925d50574d1949a88c98c49 100644 --- a/interface/web/admin/lib/lang/it_users_list.lng +++ b/interface/web/admin/lib/lang/it_users_list.lng @@ -5,5 +5,5 @@ $wb['client_id_txt'] = 'Client ID'; $wb['active_txt'] = 'Attivo'; $wb['add_new_record_txt'] = 'Aggiungi un nuovo user'; $wb['warning_txt'] = '<b>ATTENZIONE:</b> non editare o modificare alcuna impostazione utente in questa schermata. Usare piuttosto le impostazioni Cliente/Rivenditore del modulo Clienti. Modificare Utenti o gruppi in questa schermata può provocare la perdita di dati.'; -$wb['groups_txt'] = 'Groups'; +$wb['groups_txt'] = 'Gruppi'; ?> diff --git a/interface/web/client/lib/lang/it_client.lng b/interface/web/client/lib/lang/it_client.lng index 883bb424871254d74866fe486141122264874e75..9b2e6492cf55b41963b6d7718f251839651b00d1 100644 --- a/interface/web/client/lib/lang/it_client.lng +++ b/interface/web/client/lib/lang/it_client.lng @@ -3,11 +3,11 @@ $wb['limit_maildomain_txt'] = 'Numero massimo di domini di posta'; $wb['limit_mailbox_txt'] = 'Numero massimo di caselle di posta'; $wb['limit_mailalias_txt'] = 'Numero massimo di aliases di posta'; $wb['limit_mailforward_txt'] = 'Numero massimo di forwarders di posta'; -$wb['limit_mailcatchall_txt'] = 'Numero massimo di catchall accounts'; +$wb['limit_mailcatchall_txt'] = 'Numero massimo di profili catchall'; $wb['limit_mailrouting_txt'] = 'Numero massimo di email routes'; $wb['limit_mail_wblist_txt'] = 'Max. number of email white / blacklist entries'; $wb['limit_mailfilter_txt'] = 'Numero massimo di email filters'; -$wb['limit_fetchmail_txt'] = 'Numero massimo di fetchmail accounts'; +$wb['limit_fetchmail_txt'] = 'Numero massimo di profili fetchmail'; $wb['limit_mailquota_txt'] = 'Limite quota mailbox'; $wb['limit_spamfilter_wblist_txt'] = 'Numero massimo di filtri spamfilter white / blacklist'; $wb['limit_spamfilter_user_txt'] = 'Numero massimo di utenti spamfilter'; @@ -43,7 +43,7 @@ $wb['limit_subdomain_txt'] = 'limit_subdomain'; $wb['limit_webquota_txt'] = 'limit_webquota'; $wb['limit_database_txt'] = 'Numero massimo database'; $wb['ip_address_txt'] = 'Indirizzi ip'; -$wb['limit_client_error_notint'] = 'The sub client limit must be a number.'; +$wb['limit_client_error_notint'] = 'Il numero di sub-cliente deve essere un numero.'; $wb['firstname_error_empty'] = 'Nome è vuoto.'; $wb['contact_error_empty'] = 'Nome azienda è vuoto.'; $wb['default_webserver_txt'] = 'Webserver predefinito'; @@ -61,95 +61,95 @@ $wb['username_error_unique'] = 'Il nome utente deve essere unico.'; $wb['limit_maildomain_error_notint'] = 'Il limite dei domini email devessere un numero.'; $wb['limit_mailbox_error_notint'] = 'Il limite delle caselle di posta devessere un numero.'; $wb['limit_mailalias_error_notint'] = 'Il limite di email alias deve essere un numero.'; -$wb['limit_mailforward_error_notint'] = 'The email forward limit must be a number.'; -$wb['limit_mailcatchall_error_notint'] = 'The email catchall limit must be a number.'; -$wb['limit_mailrouting_error_notint'] = 'The email routing limit must be a number.'; -$wb['limit_mail_wblist_error_notint'] = 'The email white / blacklist limit must be a number.'; -$wb['limit_mailfilter_error_notint'] = 'The email filter limit must be a number.'; -$wb['limit_mailfetchmail_error_notint'] = 'The fetchmail limit must be a number.'; -$wb['limit_mailquota_error_notint'] = 'The email quota limit must be a number.'; -$wb['limit_spamfilter_wblist_error_notint'] = 'The spamfilter white / blacklist limit must be a number.'; -$wb['limit_spamfilter_user_error_notint'] = 'The spamfilter user limit must be a number.'; -$wb['limit_spamfilter_policy_error_notint'] = 'The spamfilter policy limit must be a number.'; -$wb['limit_web_domain_error_notint'] = 'The website limit must be a number.'; -$wb['limit_web_aliasdomain_error_notint'] = 'The website alias domain limit must be a number.'; -$wb['limit_web_subdomain_error_notint'] = 'The website subdomain limit must be a number.'; +$wb['limit_mailforward_error_notint'] = 'Il limite delle forward email deve essere un numero.'; +$wb['limit_mailcatchall_error_notint'] = 'Il limite delle mail catchall deve essere un numero.'; +$wb['limit_mailrouting_error_notint'] = 'Il limite di di routing email dve essere un numero.'; +$wb['limit_mail_wblist_error_notint'] = 'Il limite delle liste bianche / nere deve essere un numero.'; +$wb['limit_mailfilter_error_notint'] = 'Il limite di filtri email deve essere un numero.'; +$wb['limit_mailfetchmail_error_notint'] = 'Il limite di fetchmail deve essere un numero.'; +$wb['limit_mailquota_error_notint'] = 'La quota email deve essere un numero.'; +$wb['limit_spamfilter_wblist_error_notint'] = 'Il limite di liste bianche / nere di filtri SPAM deve essere un numero.'; +$wb['limit_spamfilter_user_error_notint'] = 'Il limite di utenti di filtri SPAM deve essere un numero.'; +$wb['limit_spamfilter_policy_error_notint'] = 'Il limite delle politiche di spamfilter deve essere un numero.'; +$wb['limit_web_domain_error_notint'] = 'Il limite di siti web deve essere un numero.'; +$wb['limit_web_aliasdomain_error_notint'] = 'Il limite dei domini web Alias deve essere un numero.'; +$wb['limit_web_subdomain_error_notint'] = 'Il limite dei siti web sottodomini deve essere un numero.'; $wb['limit_ftp_user_error_notint'] = 'Il limite degli utenti ftp deve essere un numero.'; $wb['limit_shell_user_error_notint'] = 'Il limite degli utenti shell deve essere un numero.'; $wb['limit_dns_zone_error_notint'] = 'Il limite dei record dns deve essere un numero.'; -$wb['limit_dns_slave_zone_error_notint'] = 'The dns slave zone limit must be a number.'; +$wb['limit_dns_slave_zone_error_notint'] = 'Il limite delle zone DNS slave deve essere un numero.'; $wb['default_dbserver_txt'] = 'Server Database predefinito'; $wb['limit_database_error_notint'] = 'Il limite dei database deve essere un numero.'; $wb['username_error_regex'] = 'Il nome utente contiene caratteri non validi.'; -$wb['password_strength_txt'] = 'Sicurezza della Password'; +$wb['password_strength_txt'] = 'Robustezza della Password'; $wb['template_master_txt'] = 'Principale'; $wb['template_additional_txt'] = 'Aggiuntivo'; -$wb['ssh_chroot_txt'] = 'SSH-Chroot Options'; -$wb['web_php_options_txt'] = 'PHP Options'; -$wb['limit_cron_txt'] = 'Max. number of cron jobs'; -$wb['limit_cron_type_txt'] = 'Max. type of cron jobs (chrooted and full implies url)'; -$wb['limit_cron_frequency_txt'] = 'Min. delay between executions'; -$wb['limit_cron_error_notint'] = 'The cron limit must be a number.'; -$wb['limit_cron_error_frequency'] = 'The cron frequency limit must be a number.'; -$wb['limit_client_error'] = 'The max. number of clients is reached.'; -$wb['limit_mailaliasdomain_txt'] = 'Max. number of domain aliases'; -$wb['limit_mailaliasdomain_error_notint'] = 'The email domain alias limit must be a number.'; +$wb['ssh_chroot_txt'] = 'Opzioni chroot SSH'; +$wb['web_php_options_txt'] = 'Opzioni PHP'; +$wb['limit_cron_txt'] = 'Numero massimo di cron jobs'; +$wb['limit_cron_type_txt'] = 'Massimo tipo di cron jobs (chrooted e completi implica url)'; +$wb['limit_cron_frequency_txt'] = 'Ritardo minimo tra le esecuzioni'; +$wb['limit_cron_error_notint'] = 'Il limite di cron deve essere un numero.'; +$wb['limit_cron_error_frequency'] = 'Il limite di frequenza cron deve essere un numero.'; +$wb['limit_client_error'] = 'Hai raggiunto il numero massimo di clienti.'; +$wb['limit_mailaliasdomain_txt'] = 'Massimo numero di domini Alias'; +$wb['limit_mailaliasdomain_error_notint'] = 'Il numero massimo di domini email alias devve essere un numero.'; $wb['limit_web_quota_txt'] = 'Quota Web'; $wb['limit_traffic_quota_txt'] = 'Quota Traffico'; -$wb['limit_trafficquota_error_notint'] = 'Traffic Quota must be a number.'; -$wb['limit_webdav_user_txt'] = 'Max. number of Webdav users'; -$wb['limit_webdav_user_error_notint'] = 'The webdav user limit must be a number.'; -$wb['customer_no_txt'] = 'Customer No.'; +$wb['limit_trafficquota_error_notint'] = 'La quota traffico deve essere un numero.'; +$wb['limit_webdav_user_txt'] = 'Massimo numero di utenti Webdav'; +$wb['limit_webdav_user_error_notint'] = 'Il numero massimo di utenti Webdav deve essere un numero.'; +$wb['customer_no_txt'] = 'n° Cliente'; $wb['vat_id_txt'] = 'P. IVA'; $wb['required_fields_txt'] = '* Campi obbligatori'; -$wb['limit_mailmailinglist_txt'] = 'Max. number of mailing lists'; -$wb['limit_mailmailinglist_error_notint'] = 'The mailing list record limit must be a number.'; +$wb['limit_mailmailinglist_txt'] = 'Massimo numero di mailing lists'; +$wb['limit_mailmailinglist_error_notint'] = 'Il numero di mailing list deve essere un numero.'; $wb['company_id_txt'] = 'Azienda/Titolare ID'; $wb['limit_openvz_vm_txt'] = 'Numero massimo server virtuali'; -$wb['limit_openvz_vm_template_id_txt'] = 'Force virtual server template'; -$wb['limit_openvz_vm_error_notint'] = 'The virtual server limit must be a number.'; -$wb['web_php_options_notempty'] = 'No PHP option(s) selected. Select at least one PHP option.'; -$wb['ssh_chroot_notempty'] = 'No SSH chroot option selected. Select at least one option.'; -$wb['username_error_collision'] = 'The username may not start with the word -web- or -web- followed by a number.'; -$wb['add_additional_template_txt'] = 'Add additional template'; -$wb['delete_additional_template_txt'] = 'Elimina additional template'; -$wb['limit_cgi_txt'] = 'CGI available'; -$wb['limit_ssi_txt'] = 'SSI available'; -$wb['limit_perl_txt'] = 'Perl available'; -$wb['limit_ruby_txt'] = 'Ruby available'; -$wb['limit_python_txt'] = 'Python available'; -$wb['force_suexec_txt'] = 'SuEXEC forced'; -$wb['limit_hterror_txt'] = 'Custom error docs available'; -$wb['limit_wildcard_txt'] = 'Wildcard subdomain available'; -$wb['limit_ssl_txt'] = 'SSL available'; -$wb['bank_account_number_txt'] = 'Bank account no.'; -$wb['bank_code_txt'] = 'Bank code'; -$wb['bank_name_txt'] = 'Bank name'; +$wb['limit_openvz_vm_template_id_txt'] = 'Forzare il modello dei server virtuali'; +$wb['limit_openvz_vm_error_notint'] = 'Il limite dei server virtuali deve essere un numero.'; +$wb['web_php_options_notempty'] = 'Nessuna opzione PHP selezionata. Seleziona almeno una opzione PHP.'; +$wb['ssh_chroot_notempty'] = 'Nessuna opzione chroot SSH selezionata. Seleziona almeno una opzione.'; +$wb['username_error_collision'] = 'Il nome utente non può iniziare con la parola -web- o con -web- seguito da un numero.'; +$wb['add_additional_template_txt'] = 'Aggiungi un modello'; +$wb['delete_additional_template_txt'] = 'Elimina un modello'; +$wb['limit_cgi_txt'] = 'CGI disponibile'; +$wb['limit_ssi_txt'] = 'SSI disponibile'; +$wb['limit_perl_txt'] = 'Perl disponibile'; +$wb['limit_ruby_txt'] = 'Ruby disponibile'; +$wb['limit_python_txt'] = 'Python disponibile'; +$wb['force_suexec_txt'] = 'SuEXEC imposto'; +$wb['limit_hterror_txt'] = 'Messaggi di errore personalizzati disponibili'; +$wb['limit_wildcard_txt'] = 'Sottodomini * disponibile'; +$wb['limit_ssl_txt'] = 'SSL disponibile'; +$wb['bank_account_number_txt'] = 'n° Conto corrente bancario'; +$wb['bank_code_txt'] = 'Codice Banca'; +$wb['bank_name_txt'] = 'Nome Banca'; $wb['bank_account_iban_txt'] = 'IBAN'; $wb['bank_account_swift_txt'] = 'BIC / Swift'; -$wb['web_limits_txt'] = 'Web Limits'; -$wb['email_limits_txt'] = 'Email Limits'; -$wb['database_limits_txt'] = 'Database Limits'; -$wb['cron_job_limits_txt'] = 'Cron Job Limits'; -$wb['dns_limits_txt'] = 'DNS Limits'; -$wb['virtualization_limits_txt'] = 'Virtualization Limits'; +$wb['web_limits_txt'] = 'Limiti Web'; +$wb['email_limits_txt'] = 'Limiti Email'; +$wb['database_limits_txt'] = 'Limiti Database'; +$wb['cron_job_limits_txt'] = 'Limiti Cron Job'; +$wb['dns_limits_txt'] = 'Limiti DNS'; +$wb['virtualization_limits_txt'] = 'Limiti Virtualizzazione'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['active_template_additional_txt'] = 'AttivoAddons'; -$wb['bank_account_owner_txt'] = 'Bank account owner'; -$wb['email_error_isemail'] = 'Please enter a valid email address.'; -$wb['customer_no_error_unique'] = 'The customer no. must be unique (or empty).'; -$wb['paypal_email_error_isemail'] = 'Please enter a valid PayPal email address.'; -$wb['paypal_email_txt'] = 'PayPal Email'; -$wb['err_msg_master_tpl_set'] = 'All custom limit settings are ignored if any master template other than \\"custom\\" is selected.'; -$wb['aps_limits_txt'] = 'APS Installer Limits'; -$wb['limit_aps_txt'] = 'Max. number of APS instances'; -$wb['limit_aps_error_notint'] = 'The APS instances limit must be a number.'; -$wb['default_slave_dnsserver_txt'] = 'Default Secondary DNS Server'; -$wb['locked_txt'] = 'Locked (disables everything except DNS)'; -$wb['canceled_txt'] = 'Cancellato(disables client login)'; +$wb['active_template_additional_txt'] = 'Attivo Addons'; +$wb['bank_account_owner_txt'] = 'Titolare conto bancario'; +$wb['email_error_isemail'] = 'Inserire un email valido.'; +$wb['customer_no_error_unique'] = 'Il n° di cliente deve essere univoco (o vuoto).'; +$wb['paypal_email_error_isemail'] = 'Inserire una email valida per PayPal.'; +$wb['paypal_email_txt'] = 'email PayPal'; +$wb['err_msg_master_tpl_set'] = 'Tutti i limiti personalizzati impostati sono ignorati se viene selezionato un modello master diverso da \\"custom\\".'; +$wb['aps_limits_txt'] = 'Limite installazione APS'; +$wb['limit_aps_txt'] = 'Numero massimo di istanze APS'; +$wb['limit_aps_error_notint'] = 'Il limite di istanze APS deve essere un numero.'; +$wb['default_slave_dnsserver_txt'] = 'Server DNS secondario default'; +$wb['locked_txt'] = 'Bloccato (Disabilita tutto eccetto DNS)'; +$wb['canceled_txt'] = 'Cancellato (disabilita il login del cliente)'; $wb['gender_txt'] = 'Titolo'; $wb['gender_m_txt'] = 'Sig.'; $wb['gender_f_txt'] = 'Sig.ra'; @@ -157,52 +157,52 @@ $wb['added_by_txt'] = 'Aggiunto da'; $wb['added_date_txt'] = 'Data inserimento'; $wb['parent_client_id_txt'] = 'Cliente di rivenditore'; $wb['none_txt'] = 'Nessuno'; -$wb['contact_firstname_txt'] = 'Contact firstname'; -$wb['limit_backup_txt'] = 'Backupfunction available'; -$wb['xmpp_limits_txt'] = 'XMPP Limits'; +$wb['contact_firstname_txt'] = 'Nome contatto'; +$wb['limit_backup_txt'] = 'Funzione backup disponibile'; +$wb['xmpp_limits_txt'] = 'Limiti XMPPs'; $wb['web_servers_txt'] = 'Webservers'; -$wb['web_servers_placeholder'] = 'Select webservers'; -$wb['no_web_server_error'] = 'At least one webserver must be selected.'; -$wb['web_servers_used'] = 'The server you are trying to remove from this client is used as a webserver. Be sure that this server is not used by this client before you remove it.'; -$wb['dns_servers_txt'] = 'DNS servers'; -$wb['dns_servers_placeholder'] = 'Select DNS servers'; -$wb['no_dns_server_error'] = 'At least one DNS server must be selected.'; -$wb['dns_servers_used'] = 'The server you are trying to remove from this client is used as a DNS server. Be sure that this server is not used by this client before you remove it.'; -$wb['db_servers_txt'] = 'Database servers'; -$wb['db_servers_placeholder'] = 'Select database servers'; -$wb['no_db_server_error'] = 'At least one Database server must be selected.'; -$wb['db_servers_used'] = 'The server you are trying to remove from this client is used as a Database server. Be sure that this server is not used by this client before you remove it.'; +$wb['web_servers_placeholder'] = 'Seleziona webservers'; +$wb['no_web_server_error'] = 'Almeno un webserver deve essere selezionato.'; +$wb['web_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come sito Web. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['dns_servers_txt'] = 'Server DNS'; +$wb['dns_servers_placeholder'] = 'Seleziona i server DNS'; +$wb['no_dns_server_error'] = 'Almeno un server DNS deve essere selezionato.'; +$wb['dns_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come server DNS. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['db_servers_txt'] = 'Server Database'; +$wb['db_servers_placeholder'] = 'Seleziona server database'; +$wb['no_db_server_error'] = 'Almeno un server Database server deve essere selezionato.'; +$wb['db_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come server Database. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; $wb['mail_servers_txt'] = 'Mailservers'; -$wb['mail_servers_placeholder'] = 'Select mailservers'; -$wb['no_mail_server_error'] = 'At least one mailserver must be selected.'; -$wb['mail_servers_used'] = 'The server you are trying to remove from this client is used as a Mailserver. Be sure that this server is not used by this client before you remove it.'; -$wb['xmpp_servers_txt'] = 'XMPP Servers'; -$wb['xmpp_servers_placeholder'] = 'Select XMPP Servers'; -$wb['no_xmpp_server_error'] = 'At least one XMPP Server must be selected.'; -$wb['xmpp_servers_used'] = 'The server you are trying to remove from this client is used as a XMPP Server. Be sure that this server is not used by this client before you remove it.'; -$wb['limit_xmpp_domain_error_notint'] = 'The XMPP domain limit must be a number.'; -$wb['limit_xmpp_user_error_notint'] = 'The XMPP user limit must be a number.'; -$wb['limit_xmpp_domain_txt'] = 'Max. number of XMPP domains'; -$wb['limit_xmpp_user_txt'] = 'Max. number of XMPP accounts'; -$wb['limit_xmpp_muc_txt'] = 'Multiuser chat available'; -$wb['limit_xmpp_pastebin_txt'] = 'Pastebin for MUC available'; -$wb['limit_xmpp_httparchive_txt'] = 'HTTP archive for MUC available'; -$wb['limit_xmpp_anon_txt'] = 'Anonymous host available'; -$wb['limit_xmpp_vjud_txt'] = 'VJUD user directory available'; -$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy available'; -$wb['limit_xmpp_status_txt'] = 'Status host available'; -$wb['limit_database_quota_txt'] = 'Database quota'; -$wb['limit_database_quota_error_notint'] = 'The database quota limit must be a number.'; -$wb['reseller_txt'] = 'Reseller'; -$wb['btn_save_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['invalid_vat_id'] = 'The VAT ID is invalid.'; -$wb['email_error_empty'] = 'Email is empty'; -$wb['limit_database_user_txt'] = 'Max. Database users'; -$wb['limit_database_user_error_notint'] = 'The database user limit must be a number.'; -$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt available'; -$wb['limit_directive_snippets_txt'] = 'Show web server config selection'; -$wb['password_click_to_set_txt'] = 'Click to set'; -$wb['limit_dns_record_error_notint'] = 'The dns record limit must be a number.'; -$wb['Address'] = 'Address'; -$wb['Limits'] = 'Limits'; +$wb['mail_servers_placeholder'] = 'Seleziona mailservers'; +$wb['no_mail_server_error'] = 'Almeno un server mail deve essere selezionato.'; +$wb['mail_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come serve Mail. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['xmpp_servers_txt'] = 'Server XMPP'; +$wb['xmpp_servers_placeholder'] = 'Seleziona server XMPP'; +$wb['no_xmpp_server_error'] = 'Almeno un server XMPP deve essere selezionato.'; +$wb['xmpp_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come server XMPP. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['limit_xmpp_domain_error_notint'] = 'Il limite dei domini XMPP deve essere un numero.'; +$wb['limit_xmpp_user_error_notint'] = 'Il limite degli utenti XMPP deve essere un numero.'; +$wb['limit_xmpp_domain_txt'] = 'Numero massimo di domini XMPP'; +$wb['limit_xmpp_user_txt'] = 'Massimo numero di profili XMPP'; +$wb['limit_xmpp_muc_txt'] = 'Multiuser chat disponibile'; +$wb['limit_xmpp_pastebin_txt'] = 'Pastebin per MUC disponibile'; +$wb['limit_xmpp_httparchive_txt'] = 'Archivio HTTP per MUC disponibile'; +$wb['limit_xmpp_anon_txt'] = 'host anonimo disponibile'; +$wb['limit_xmpp_vjud_txt'] = 'Rubrica utenti VJUD disponibile'; +$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy disponibile'; +$wb['limit_xmpp_status_txt'] = 'Status host disponibile'; +$wb['limit_database_quota_txt'] = 'quota Database'; +$wb['limit_database_quota_error_notint'] = 'La quota database deve essere un numero.'; +$wb['reseller_txt'] = 'Rivenditori'; +$wb['btn_save_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['invalid_vat_id'] = 'Il n° di IVA non + valido.'; +$wb['email_error_empty'] = 'Email è vuoto'; +$wb['limit_database_user_txt'] = 'Massimo numero utenti Database'; +$wb['limit_database_user_error_notint'] = 'Il numero di utenti database deve essere un numero.'; +$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt disponibile'; +$wb['limit_directive_snippets_txt'] = 'Mostra selezione di configurazione del server web'; +$wb['password_click_to_set_txt'] = 'Clicca per impostare'; +$wb['limit_dns_record_error_notint'] = 'Il limite di record DNS deve essere un numero.'; +$wb['Address'] = 'Indirizzo'; +$wb['Limits'] = 'Limiti'; diff --git a/interface/web/client/lib/lang/it_client_circle.lng b/interface/web/client/lib/lang/it_client_circle.lng index b7703b4f99cef5917d03232176fd46ff78c6751e..70ff1fd6e082c2d6b98c31842e2c72a98761f8d7 100644 --- a/interface/web/client/lib/lang/it_client_circle.lng +++ b/interface/web/client/lib/lang/it_client_circle.lng @@ -1,9 +1,9 @@ <?php -$wb['Client Circle'] = 'Client Circle'; -$wb['Circle'] = 'Circle'; -$wb['circle_txt'] = 'Circle'; -$wb['circle_name_txt'] = 'Circle Name'; -$wb['client_ids_txt'] = 'Clients/Resellers'; +$wb['Client Circle'] = 'Circolo Cliente'; +$wb['Circle'] = 'Circolo'; +$wb['circle_txt'] = 'Circolo'; +$wb['circle_name_txt'] = 'Nome Circolo'; +$wb['client_ids_txt'] = 'Clienti/Rivenditori'; $wb['description_txt'] = 'Descrizione'; $wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/client/lib/lang/it_client_circle_list.lng b/interface/web/client/lib/lang/it_client_circle_list.lng index faa225f0587d44813520c1628c2ea49b85681d95..a7e74f32e3fcd36f55f375ec469418bfa0b8a430 100644 --- a/interface/web/client/lib/lang/it_client_circle_list.lng +++ b/interface/web/client/lib/lang/it_client_circle_list.lng @@ -1,10 +1,10 @@ <?php -$wb['list_head_txt'] = 'Client Circles'; -$wb['circle_id_txt'] = 'Circle ID'; -$wb['circle_name_txt'] = 'Circle Name'; +$wb['list_head_txt'] = 'Circolo Clienti'; +$wb['circle_id_txt'] = 'ID Circolo'; +$wb['circle_name_txt'] = 'Nome Circolo'; $wb['description_txt'] = 'Descrizione'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo circle'; -$wb['filter_txt'] = 'Filter'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Circolo'; +$wb['filter_txt'] = 'Filtro'; $wb['delete_txt'] = 'Elimina'; $wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/client/lib/lang/it_client_del.lng b/interface/web/client/lib/lang/it_client_del.lng index a17dc6a7ff3d54de5af7bc4def05114558b15c9a..ec0e31aa3c801de2c700d9fca6a137ac7dc4a121 100644 --- a/interface/web/client/lib/lang/it_client_del.lng +++ b/interface/web/client/lib/lang/it_client_del.lng @@ -3,8 +3,8 @@ $wb['confirm_action_txt'] = 'Conferma operazione'; $wb['delete_explanation'] = 'Questa operazione cancellerà i seguenti record associati a questo cliente'; $wb['btn_save_txt'] = 'Cancella cliente'; $wb['btn_cancel_txt'] = 'Annulla senza cancellare il cliente'; -$wb['confirm_client_delete_txt'] = 'Are you sure you want to delete this client?'; -$wb['list_head_txt'] = 'Delete Client'; -$wb['table_txt'] = 'Table'; -$wb['data_txt'] = 'Data'; +$wb['confirm_client_delete_txt'] = 'Sei sicuro di voler cancellare questo Cliente?'; +$wb['list_head_txt'] = 'Cancella Cliente'; +$wb['table_txt'] = 'Tavola'; +$wb['data_txt'] = 'Dati'; ?> diff --git a/interface/web/client/lib/lang/it_client_message.lng b/interface/web/client/lib/lang/it_client_message.lng index 6e8f0fe1b8b19e491cd5c541d243690e058a864e..fcb5c20e57227200f93e6d238a19f88930055a2b 100644 --- a/interface/web/client/lib/lang/it_client_message.lng +++ b/interface/web/client/lib/lang/it_client_message.lng @@ -1,20 +1,20 @@ <?php -$wb['btn_send_txt'] = 'Send email'; +$wb['btn_send_txt'] = 'Invia email'; $wb['btn_cancel_txt'] = 'Annulla'; -$wb['sender_txt'] = 'Sender email address'; -$wb['subject_txt'] = 'Subject'; -$wb['message_txt'] = 'Message'; -$wb['form_legend_client_txt'] = 'Send email message to all clients.'; -$wb['form_legend_admin_txt'] = 'Send email message to all clients and resellers.'; -$wb['sender_invalid_error'] = 'Sender email invalid.'; -$wb['subject_invalid_error'] = 'Subject vuoto.'; -$wb['message_invalid_error'] = 'Message vuoto.'; -$wb['email_sent_to_txt'] = 'Email sent to:'; -$wb['page_head_txt'] = 'Send email message to clients and resellers'; -$wb['recipient_txt'] = 'Recipient'; -$wb['all_clients_resellers_txt'] = 'All clients and resellers'; -$wb['all_clients_txt'] = 'All clients'; -$wb['variables_txt'] = 'Variables:'; -$wb['gender_m_txt'] = 'Mr.'; -$wb['gender_f_txt'] = 'Ms.'; +$wb['sender_txt'] = 'Indirizzo email del mittente'; +$wb['subject_txt'] = 'Oggetto'; +$wb['message_txt'] = 'Messaggio'; +$wb['form_legend_client_txt'] = 'Invia messaggio email a tutti i clienti.'; +$wb['form_legend_admin_txt'] = 'Invia messaggio email a tutti i clienti e rivenditori.'; +$wb['sender_invalid_error'] = 'Mittente email invalido.'; +$wb['subject_invalid_error'] = 'Oggetto vuoto.'; +$wb['message_invalid_error'] = 'Messaggio vuoto.'; +$wb['email_sent_to_txt'] = 'Email inviato a:'; +$wb['page_head_txt'] = 'Invia messaggio email a clienti e rivenditori'; +$wb['recipient_txt'] = 'Destinatario'; +$wb['all_clients_resellers_txt'] = 'Tutti i clienti e rivenditori'; +$wb['all_clients_txt'] = 'Tutti i clienti'; +$wb['variables_txt'] = 'Variabili:'; +$wb['gender_m_txt'] = 'Sig.'; +$wb['gender_f_txt'] = 'Sig.ra'; ?> diff --git a/interface/web/client/lib/lang/it_client_message_template.lng b/interface/web/client/lib/lang/it_client_message_template.lng index f9c7d11c4d6a65c38b5e2016589d48d613e3fb5e..d464077026d174ae38e76d904b8a476c1ab75549 100644 --- a/interface/web/client/lib/lang/it_client_message_template.lng +++ b/interface/web/client/lib/lang/it_client_message_template.lng @@ -1,13 +1,13 @@ <?php -$wb['template_type_txt'] = 'Email type'; -$wb['subject_txt'] = 'Subject'; -$wb['message_txt'] = 'Message'; -$wb['Email template'] = 'Email template'; -$wb['Settings'] = 'Setting'; -$wb['variables_txt'] = 'Variables'; -$wb['variables_description_txt'] = '(The username and password variables are only available in welcome emails.)'; -$wb['duplicate_welcome_error'] = 'There can be only one default welcome email template. Please edit the existing template instead of adding a new one.'; -$wb['template_name_txt'] = 'Template name'; -$wb['subject_error_empty'] = 'Subject is empty'; -$wb['message_error_empty'] = 'Message is empty'; +$wb['template_type_txt'] = 'Email tipo'; +$wb['subject_txt'] = 'Oggetto'; +$wb['message_txt'] = 'Messaggio'; +$wb['Email template'] = 'Email modello'; +$wb['Settings'] = 'Impostazioni'; +$wb['variables_txt'] = 'Variabili'; +$wb['variables_description_txt'] = '(I valori della username e della password sono disponibili solo nella mail di benvenuto.)'; +$wb['duplicate_welcome_error'] = 'Ci può essere un solo modello di mail di benvenuto. Edita il modello esistente piuttosto che aggiungerne un altro.'; +$wb['template_name_txt'] = 'Nome Modello'; +$wb['subject_error_empty'] = 'Oggetto è vuoto'; +$wb['message_error_empty'] = 'Messaggio è vuoto'; ?> diff --git a/interface/web/client/lib/lang/it_client_message_template_list.lng b/interface/web/client/lib/lang/it_client_message_template_list.lng index d9c307ed5220b04a7657896edae66cf689411c0b..a79bad2a1d6cec3173d898c60ca326fc2a73f8c3 100644 --- a/interface/web/client/lib/lang/it_client_message_template_list.lng +++ b/interface/web/client/lib/lang/it_client_message_template_list.lng @@ -1,5 +1,5 @@ <?php -$wb['list_head_txt'] = 'Email templates'; -$wb['template_type_txt'] = 'Message for'; -$wb['template_name_txt'] = 'Template name'; +$wb['list_head_txt'] = 'Modello Email'; +$wb['template_type_txt'] = 'Messaggio per'; +$wb['template_name_txt'] = 'Nome Modello'; ?> diff --git a/interface/web/client/lib/lang/it_client_template.lng b/interface/web/client/lib/lang/it_client_template.lng index 119d5d28e50ecf4b47205051a20479eb24b6cf9b..418bb033c7784802089f3915e7109c5a38ac382b 100644 --- a/interface/web/client/lib/lang/it_client_template.lng +++ b/interface/web/client/lib/lang/it_client_template.lng @@ -1,24 +1,24 @@ <?php -$wb['ssh_chroot_notempty'] = 'No SSH chroot option selected. Select at least one option.'; +$wb['ssh_chroot_notempty'] = 'Nessuna opzione chroot SSH selezionata. Seleziona almeno una opzione.'; $wb['limit_client_error_notint'] = 'Il limite dei sub-clienti devessere un numero.'; $wb['limit_maildomain_txt'] = 'Num. massimo domini email'; $wb['limit_mailbox_txt'] = 'Num. massimo caselle di posta'; $wb['limit_mailalias_txt'] = 'Num. massimo alias email'; $wb['limit_mailforward_txt'] = 'Num. massimo inoltri email'; -$wb['limit_mailcatchall_txt'] = 'Num. massimo account email catchall'; +$wb['limit_mailcatchall_txt'] = 'Num. massimo profilo email catchall'; $wb['limit_mailrouting_txt'] = 'Num. massimo routes email'; $wb['limit_mail_wblist_txt'] = 'Max. number of email white / blacklist entries'; $wb['limit_mailfilter_txt'] = 'Num. massimo filtri email'; -$wb['limit_fetchmail_txt'] = 'Num. massimo account fetchmail'; +$wb['limit_fetchmail_txt'] = 'Num. massimo profilo fetchmail'; $wb['limit_mailquota_txt'] = 'Quota caselle di posta'; $wb['limit_spamfilter_wblist_txt'] = 'Num. massimo filtri spam white / blacklist'; $wb['limit_spamfilter_user_txt'] = 'Num. massimo utenti spamfilter'; -$wb['limit_spamfilter_policy_txt'] = 'Num. massimo policys spamfilter'; +$wb['limit_spamfilter_policy_txt'] = 'Num. massimo politiche spamfilter'; $wb['limit_client_txt'] = 'Num. massimo clienti'; -$wb['limit_relayhost_txt'] = 'Show SMTP relay host options'; -$wb['limit_domain_txt'] = 'limit_domain'; -$wb['limit_subdomain_txt'] = 'limit_subdomain'; -$wb['limit_webquota_txt'] = 'limit_webquota'; +$wb['limit_relayhost_txt'] = 'Mostra le opzioni dell\'host SMTP relay'; +$wb['limit_domain_txt'] = 'Limite di domini'; +$wb['limit_subdomain_txt'] = 'Limite sottodomini'; +$wb['limit_webquota_txt'] = 'Limiti quota Web'; $wb['limit_database_txt'] = 'Num. massimo database'; $wb['limit_web_domain_txt'] = 'Num. massimo domini web'; $wb['limit_web_aliasdomain_txt'] = 'Num. massimo alias domini web'; @@ -34,13 +34,13 @@ $wb['limit_mailalias_error_notint'] = 'Il limite alias email devessere un numero $wb['limit_mailforward_error_notint'] = 'Il limite inoltro email devessere un numero.'; $wb['limit_mailcatchall_error_notint'] = 'Il limite catchall email devessere un numero.'; $wb['limit_mailrouting_error_notint'] = 'Il limite routing email devessere un numero .'; -$wb['limit_mail_wblist_error_notint'] = 'The email white / blacklist limit must be a number.'; +$wb['limit_mail_wblist_error_notint'] = 'Il limite di delle liste liste binche / nere deve essere un numero.'; $wb['limit_mailfilter_error_notint'] = 'Il limite filtri email devessere un numero.'; $wb['limit_mailfetchmail_error_notint'] = 'Il limite fetchmail devessere un numero.'; $wb['limit_mailquota_error_notint'] = 'Il limite quota email devessere un numero.'; $wb['limit_spamfilter_wblist_error_notint'] = 'Il limite filtri spamfilter devessere un numero.'; $wb['limit_spamfilter_user_error_notint'] = 'Il limite utenti spamfilter devessere un numero.'; -$wb['limit_spamfilter_policy_error_notint'] = 'Il limite policy spamfilter devessere un numero.'; +$wb['limit_spamfilter_policy_error_notint'] = 'Il limite politiche spamfilter devessere un numero.'; $wb['limit_web_domain_error_notint'] = 'Il limite siti web devessere un numero.'; $wb['limit_web_aliasdomain_error_notint'] = 'Il limite alias siti web devessere un numero.'; $wb['limit_web_subdomain_error_notint'] = 'Il limite sottodomini web devessere un numero.'; @@ -61,68 +61,68 @@ $wb['limit_mailaliasdomain_error_notint'] = 'Il limite alias domini devessere un $wb['limit_web_quota_txt'] = 'Quota web'; $wb['limit_traffic_quota_txt'] = 'Quota traffico'; $wb['limit_trafficquota_error_notint'] = 'Quota traffico devessere un numero.'; -$wb['template_del_aborted_txt'] = 'Eliminazione annullata. Esiste almeno un cliente che ha questo template attivo.'; +$wb['template_del_aborted_txt'] = 'Eliminazione annullata. Esiste almeno un cliente che ha questo modello attivo.'; $wb['limit_webdav_user_txt'] = 'Num. massimo utenti webdav'; $wb['limit_webdav_user_error_notint'] = 'Il limite utenti webdav devessere un numero.'; -$wb['template_type_txt'] = 'Template type'; -$wb['limit_mailmailinglist_txt'] = 'Max. number of mailing lists'; -$wb['limit_mailmailinglist_error_notint'] = 'The mailing list record limit must be a number.'; -$wb['limit_openvz_vm_txt'] = 'Max. number of virtual servers'; -$wb['limit_openvz_vm_template_id_txt'] = 'Force virtual server template'; -$wb['limit_openvz_vm_error_notint'] = 'The virtual server limit must be a number.'; -$wb['ssh_chroot_txt'] = 'SSH-Chroot Options'; -$wb['web_php_options_txt'] = 'PHP Options'; -$wb['limit_cgi_txt'] = 'CGI available'; -$wb['limit_ssi_txt'] = 'SSI available'; -$wb['limit_perl_txt'] = 'Perl available'; -$wb['limit_ruby_txt'] = 'Ruby available'; -$wb['limit_python_txt'] = 'Python available'; -$wb['force_suexec_txt'] = 'SuEXEC forced'; -$wb['limit_hterror_txt'] = 'Custom error docs available'; -$wb['limit_wildcard_txt'] = 'Wildcard subdomain available'; -$wb['limit_ssl_txt'] = 'SSL available'; -$wb['web_limits_txt'] = 'Web Limits'; -$wb['email_limits_txt'] = 'Email Limits'; -$wb['database_limits_txt'] = 'Database Limits'; -$wb['cron_job_limits_txt'] = 'Cron Job Limits'; -$wb['dns_limits_txt'] = 'DNS Limits'; -$wb['virtualization_limits_txt'] = 'Virtualization Limits'; -$wb['aps_limits_txt'] = 'APS Installer Limits'; -$wb['limit_aps_txt'] = 'Max. number of APS instances'; -$wb['limit_aps_error_notint'] = 'The APS instances limit must be a number.'; -$wb['limit_domainmodule_txt'] = 'Domainmodule Limit'; -$wb['client_limits_txt'] = 'Client Limits'; -$wb['template_name_txt'] = 'Template name'; -$wb['limit_mail_backup_txt'] = 'E-mail backup function available'; -$wb['default_mailserver_txt'] = 'Default Mailserver'; -$wb['default_webserver_txt'] = 'Default Webserver'; -$wb['default_dnsserver_txt'] = 'Default DNS Server'; -$wb['default_slave_dnsserver_txt'] = 'Default Secondary DNS Server'; -$wb['limit_backup_txt'] = 'Backupfunction available'; +$wb['template_type_txt'] = 'T>ipo di Modello'; +$wb['limit_mailmailinglist_txt'] = 'Numero massimo delle mailing lists'; +$wb['limit_mailmailinglist_error_notint'] = 'Il limite dell mailing list deve essere un numero.'; +$wb['limit_openvz_vm_txt'] = 'Numero massimo di Virtual Server'; +$wb['limit_openvz_vm_template_id_txt'] = 'Forza modello per virtual server'; +$wb['limit_openvz_vm_error_notint'] = 'Il limite di server virtuali deve essere un numero.'; +$wb['ssh_chroot_txt'] = 'Opzioni chroot SSH'; +$wb['web_php_options_txt'] = 'Opzioni PHP'; +$wb['limit_cgi_txt'] = 'CGI disponibile'; +$wb['limit_ssi_txt'] = 'SSI disponibile'; +$wb['limit_perl_txt'] = 'Perl disponibile'; +$wb['limit_ruby_txt'] = 'Ruby disponibile'; +$wb['limit_python_txt'] = 'Python disponibile'; +$wb['force_suexec_txt'] = 'SuEXEC imposto'; +$wb['limit_hterror_txt'] = 'Messaggi di errore personalizzati disponibile'; +$wb['limit_wildcard_txt'] = 'Sottodomini * disponibile'; +$wb['limit_ssl_txt'] = 'SSL disponibile'; +$wb['web_limits_txt'] = 'Limite Web'; +$wb['email_limits_txt'] = 'Limite Email'; +$wb['database_limits_txt'] = 'Database'; +$wb['cron_job_limits_txt'] = 'Limite Cron Job'; +$wb['dns_limits_txt'] = 'Limite DNS'; +$wb['virtualization_limits_txt'] = 'Limite Virtualizzazioni'; +$wb['aps_limits_txt'] = 'Limite installazione APS'; +$wb['limit_aps_txt'] = 'Numero massimo di istanze APS'; +$wb['limit_aps_error_notint'] = 'Il limite delle istanze APS deve essere un numero.'; +$wb['limit_domainmodule_txt'] = 'Limiti del modulo Domini'; +$wb['client_limits_txt'] = 'Limite Clienti'; +$wb['template_name_txt'] = 'Nome Modello'; +$wb['limit_mail_backup_txt'] = 'Funzione backup email disponibile'; +$wb['default_mailserver_txt'] = 'Mailserver Default'; +$wb['default_webserver_txt'] = 'Webserver Default'; +$wb['default_dnsserver_txt'] = 'Default Server DNS'; +$wb['default_slave_dnsserver_txt'] = 'Default Server DNS Secondario'; +$wb['limit_backup_txt'] = 'Funzione backup disponibile'; $wb['default_dbserver_txt'] = 'Default Database Server'; -$wb['limit_database_quota_txt'] = 'Database quota'; -$wb['limit_database_quota_error_notint'] = 'The database quota limit must be a number.'; -$wb['xmpp_limits_txt'] = 'XMPP Limits'; -$wb['xmpp_servers_txt'] = 'XMPP Servers'; -$wb['xmpp_servers_placeholder'] = 'Select XMPP Servers'; -$wb['no_xmpp_server_error'] = 'At least one XMPP Server must be selected.'; -$wb['xmpp_servers_used'] = 'The server you are trying to remove from this client is used as a XMPP Server. Be sure that this server is not used by this client before you remove it.'; -$wb['limit_xmpp_domain_error_notint'] = 'The XMPP domain limit must be a number.'; -$wb['limit_xmpp_user_error_notint'] = 'The XMPP user limit must be a number.'; -$wb['limit_xmpp_domain_txt'] = 'Max. number of XMPP domains'; -$wb['limit_xmpp_user_txt'] = 'Max. number of XMPP accounts'; -$wb['limit_xmpp_muc_txt'] = 'Multiuser chat available'; -$wb['limit_xmpp_pastebin_txt'] = 'Pastebin for MUC available'; -$wb['limit_xmpp_httparchive_txt'] = 'HTTP archive for MUC available'; -$wb['limit_xmpp_anon_txt'] = 'Anonymous host available'; -$wb['limit_xmpp_vjud_txt'] = 'VJUD user directory available'; -$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy available'; -$wb['limit_xmpp_status_txt'] = 'Status host available'; -$wb['dns_servers_txt'] = 'DNS servers'; -$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt available'; -$wb['limit_directive_snippets_txt'] = 'Show web server config selection'; -$wb['limit_database_user_txt'] = 'Max. Database users'; +$wb['limit_database_quota_txt'] = 'Quota Database'; +$wb['limit_database_quota_error_notint'] = 'Il limite di quota database deve essere un numero.'; +$wb['xmpp_limits_txt'] = 'Limiti XMPP'; +$wb['xmpp_servers_txt'] = 'Servers XMPP'; +$wb['xmpp_servers_placeholder'] = 'Seleziona i Server XMPP'; +$wb['no_xmpp_server_error'] = 'Almeno un Server XMPP deve essere selezionato.'; +$wb['xmpp_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è usato come server XMPP. Assicurati che questo server non sia in uso da questo cliente prima di rimuoverlo.'; +$wb['limit_xmpp_domain_error_notint'] = 'Il limite dei domini XMPP deve essere un numero.'; +$wb['limit_xmpp_user_error_notint'] = 'Il limite degli utenti XMPP deve essere un numero.'; +$wb['limit_xmpp_domain_txt'] = 'Numero massimo di domini XMPP'; +$wb['limit_xmpp_user_txt'] = 'Numero massimo di profili XMPP'; +$wb['limit_xmpp_muc_txt'] = 'chat multiutente disponibile'; +$wb['limit_xmpp_pastebin_txt'] = 'Pastebin per MUC disponibile'; +$wb['limit_xmpp_httparchive_txt'] = 'Archivio su HTTP per MUC disponibile'; +$wb['limit_xmpp_anon_txt'] = 'host anonimo disponibile'; +$wb['limit_xmpp_vjud_txt'] = 'Rubrica utenti VJUD disponibile'; +$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy disponibile'; +$wb['limit_xmpp_status_txt'] = 'Status host disponibile'; +$wb['dns_servers_txt'] = 'servers DNS'; +$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt disponibile'; +$wb['limit_directive_snippets_txt'] = 'Mostra selezione configurazione web server'; +$wb['limit_database_user_txt'] = 'Numero massimo utenti database'; $wb['web_servers_txt'] = 'Webservers'; $wb['db_servers_txt'] = 'Database servers'; $wb['mail_servers_txt'] = 'Mailservers'; -$wb['Limits'] = 'Limits'; +$wb['Limits'] = 'Limiti'; diff --git a/interface/web/client/lib/lang/it_client_template_list.lng b/interface/web/client/lib/lang/it_client_template_list.lng index 43b1a5ca49c7fa88a022a7c43370effa0a5ccde3..0d22389e35d30ca44337fb46fd4eef626f2bd2dd 100644 --- a/interface/web/client/lib/lang/it_client_template_list.lng +++ b/interface/web/client/lib/lang/it_client_template_list.lng @@ -2,6 +2,6 @@ $wb['list_head_txt'] = 'Modelli cliente'; $wb['template_type_txt'] = 'Tipo'; $wb['template_name_txt'] = 'Nome modello'; -$wb['template_id_txt'] = 'Template ID'; -$wb['sys_groupid_txt'] = 'Reseller'; +$wb['template_id_txt'] = 'Modello ID'; +$wb['sys_groupid_txt'] = 'Rivenditore'; ?> diff --git a/interface/web/client/lib/lang/it_clients_list.lng b/interface/web/client/lib/lang/it_clients_list.lng index 6b502eea884907a27dad577cc7bd744e1c1bb1ff..674f65f284a6a0674f65ed5c7479bf03b3136351 100644 --- a/interface/web/client/lib/lang/it_clients_list.lng +++ b/interface/web/client/lib/lang/it_clients_list.lng @@ -7,8 +7,8 @@ $wb['city_txt'] = 'Città '; $wb['country_txt'] = 'Stato'; $wb['add_new_record_txt'] = 'Aggiungi nuovo cliente'; $wb['username_txt'] = 'Nome Utente'; -$wb['customer_no_txt'] = 'Customer No.'; -$wb['locked_txt'] = 'Locked'; -$wb['yes_txt'] = 'Yes'; +$wb['customer_no_txt'] = 'n° Cliente'; +$wb['locked_txt'] = 'Bloccato'; +$wb['yes_txt'] = 'si'; $wb['no_txt'] = 'No'; ?> diff --git a/interface/web/client/lib/lang/it_domain.lng b/interface/web/client/lib/lang/it_domain.lng index 7c26779aae29a390cf82ee427c8f7205b544cc77..dba372981a34d4bfca5294e1b58a21248e18eb6c 100644 --- a/interface/web/client/lib/lang/it_domain.lng +++ b/interface/web/client/lib/lang/it_domain.lng @@ -1,6 +1,6 @@ <?php $wb['domain_error_empty'] = 'Nome dominio è vuoto'; $wb['domain_error_unique'] = 'Dominio già esistente'; -$wb['domain_error_regex'] = 'Questo nome a dominio non è permesso'; +$wb['domain_error_regex'] = 'Questo nome di dominio non è permesso'; $wb['Domain'] = 'Dominio'; ?> diff --git a/interface/web/client/lib/lang/it_reseller.lng b/interface/web/client/lib/lang/it_reseller.lng index ca1f01467d2ee4513fb2425ac87c767eaae50659..2acac2cb609c9aa20161f460ab8970a28d32a8c8 100644 --- a/interface/web/client/lib/lang/it_reseller.lng +++ b/interface/web/client/lib/lang/it_reseller.lng @@ -1,25 +1,25 @@ <?php -$wb['limit_maildomain_txt'] = 'Max. number of email domains'; -$wb['limit_mailbox_txt'] = 'Max. number of mailboxes'; -$wb['limit_mailalias_txt'] = 'Max. number of email aliases'; -$wb['limit_mailforward_txt'] = 'Max. number of email forwarders'; -$wb['limit_mailcatchall_txt'] = 'Max. number of email catchall accounts'; -$wb['limit_mailrouting_txt'] = 'Max. number of email routes'; -$wb['limit_mail_wblist_txt'] = 'Max. number of email white / blacklist entries'; -$wb['limit_mailfilter_txt'] = 'Max. number of email filters'; -$wb['limit_fetchmail_txt'] = 'Max. number of fetchmail accounts'; -$wb['limit_mailquota_txt'] = 'Mailbox quota'; -$wb['limit_spamfilter_wblist_txt'] = 'Max. number of spamfilter white / blacklist filters'; -$wb['limit_spamfilter_user_txt'] = 'Max. number of spamfilter users'; -$wb['limit_spamfilter_policy_txt'] = 'Max. number of spamfilter policies'; -$wb['limit_mail_backup_txt'] = 'E-mail backup function available'; -$wb['default_mailserver_txt'] = 'Default Mailserver'; -$wb['company_name_txt'] = 'Company name'; -$wb['contact_name_txt'] = 'Contact name'; +$wb['limit_maildomain_txt'] = 'Massimo numero di domini email'; +$wb['limit_mailbox_txt'] = 'Massimo numero di caselle mail'; +$wb['limit_mailalias_txt'] = 'Massimo numero di alias email'; +$wb['limit_mailforward_txt'] = 'Massimo numero di forwarder email'; +$wb['limit_mailcatchall_txt'] = 'Massimo numero di profili mail catchall'; +$wb['limit_mailrouting_txt'] = 'Massimo numero di route mail'; +$wb['limit_mail_wblist_txt'] = 'Massimo numero di liste mail bianche e nere'; +$wb['limit_mailfilter_txt'] = 'Massimo numero di filtri mail'; +$wb['limit_fetchmail_txt'] = 'Massimo numero di profili fetchmail'; +$wb['limit_mailquota_txt'] = 'Quota Mailbox'; +$wb['limit_spamfilter_wblist_txt'] = 'Massimo numero di liste SPAMfilter bianche e nere'; +$wb['limit_spamfilter_user_txt'] = 'Massimo numero di utenti spamfilter'; +$wb['limit_spamfilter_policy_txt'] = 'Massimo numero di politiche spamfilter'; +$wb['limit_mail_backup_txt'] = 'Funzione E-mail backup disponibile'; +$wb['default_mailserver_txt'] = 'Mailserver Default'; +$wb['company_name_txt'] = 'Nome Azienda'; +$wb['contact_name_txt'] = 'nome Contatto'; $wb['username_txt'] = 'Nome Utente'; $wb['password_txt'] = 'Password'; -$wb['password_strength_txt'] = 'Livello sicurezza Password'; -$wb['language_txt'] = 'Language'; +$wb['password_strength_txt'] = 'Robustezza Password'; +$wb['language_txt'] = 'Lingua'; $wb['usertheme_txt'] = 'Tema'; $wb['street_txt'] = 'Via'; $wb['zip_txt'] = 'CAP'; @@ -37,176 +37,176 @@ $wb['company_txt'] = 'Azienda'; $wb['title_txt'] = 'Titolo'; $wb['firstname_txt'] = 'Nome'; $wb['surname_txt'] = 'Cognome'; -$wb['limit_relayhost_txt'] = 'Show SMTP relay host options'; +$wb['limit_relayhost_txt'] = 'Mostra le opzioni dell\'host SMTP relay'; $wb['limit_domain_txt'] = 'limit_domain'; $wb['limit_subdomain_txt'] = 'limit_subdomain'; $wb['limit_webquota_txt'] = 'limit_webquota'; -$wb['limit_database_txt'] = 'Max. number of Databases'; -$wb['limit_cron_txt'] = 'Max. number of cron jobs'; -$wb['limit_cron_type_txt'] = 'Max. type of cron jobs (chrooted and full implies url)'; -$wb['limit_cron_frequency_txt'] = 'Min. delay between executions'; -$wb['ip_address_txt'] = 'ip_address'; -$wb['limit_client_error_notint'] = 'The sub client limit must be a number.'; -$wb['firstname_error_empty'] = 'Firstname vuoto.'; -$wb['contact_error_empty'] = 'Contact name vuoto.'; +$wb['limit_database_txt'] = 'Massimo numero di Databases'; +$wb['limit_cron_txt'] = 'Massimo numero di cron jobs'; +$wb['limit_cron_type_txt'] = 'Massimo tipo di cron jobs (chrooted e completi implica url)'; +$wb['limit_cron_frequency_txt'] = 'Mininìmo ritardo tra le esecuzioni'; +$wb['ip_address_txt'] = 'Indirizzo IP'; +$wb['limit_client_error_notint'] = 'Il limite dei sotto clienti deve essere un numero.'; +$wb['firstname_error_empty'] = 'Nome vuoto.'; +$wb['contact_error_empty'] = 'Nome contatto vuoto.'; $wb['default_webserver_txt'] = 'Default Webserver'; -$wb['limit_web_domain_txt'] = 'Max. number of web domains'; -$wb['limit_web_aliasdomain_txt'] = 'Max. number of web aliasdomains'; -$wb['limit_web_subdomain_txt'] = 'Max. number of web subdomains'; -$wb['limit_ftp_user_txt'] = 'Max. number of FTP users'; -$wb['default_dnsserver_txt'] = 'Default DNS Server'; -$wb['limit_dns_zone_txt'] = 'Max. number of DNS zones'; -$wb['limit_dns_slave_zone_txt'] = 'Max. number of secondary DNS zones'; -$wb['limit_dns_record_txt'] = 'Max. number DNS records'; -$wb['limit_shell_user_txt'] = 'Max. number of Shell users'; -$wb['limit_client_txt'] = 'Max. number of Clients'; -$wb['username_error_empty'] = 'Username vuoto.'; -$wb['username_error_unique'] = 'The username must be unique.'; -$wb['limit_maildomain_error_notint'] = 'The email domain limit must be a number.'; -$wb['limit_mailbox_error_notint'] = 'The mailbox limit must be a number.'; -$wb['limit_mailalias_error_notint'] = 'The email alias limit must be a number.'; -$wb['limit_mailforward_error_notint'] = 'The email forward limit must be a number.'; -$wb['limit_mailcatchall_error_notint'] = 'The email catchall limit must be a number.'; -$wb['limit_mailrouting_error_notint'] = 'The email routing limit must be a number.'; -$wb['limit_mail_wblist_error_notint'] = 'The email white / blacklist limit must be a number.'; -$wb['limit_mailfilter_error_notint'] = 'The email filter limit must be a number.'; -$wb['limit_mailfetchmail_error_notint'] = 'The fetchmail limit must be a number.'; -$wb['limit_mailquota_error_notint'] = 'The email quota limit must be a number.'; -$wb['limit_spamfilter_wblist_error_notint'] = 'The spamfilter white / blacklist limit must be a number.'; -$wb['limit_spamfilter_user_error_notint'] = 'The spamfilter user limit must be a number.'; -$wb['limit_spamfilter_policy_error_notint'] = 'The spamfilter policy limit must be a number.'; -$wb['limit_web_domain_error_notint'] = 'The website limit must be a number.'; -$wb['limit_web_aliasdomain_error_notint'] = 'The website alias domain limit must be a number.'; -$wb['limit_web_subdomain_error_notint'] = 'The website subdomain limit must be a number.'; -$wb['limit_ftp_user_error_notint'] = 'The ftp user limit must be a number.'; -$wb['limit_shell_user_error_notint'] = 'The shell user limit must be a number.'; -$wb['limit_dns_zone_error_notint'] = 'The dns record limit must be a number.'; -$wb['limit_dns_slave_zone_error_notint'] = 'The dns slave zone limit must be a number.'; -$wb['limit_dns_record_error_notint'] = 'The dns record limit must be a number.'; +$wb['limit_web_domain_txt'] = 'Massimo numero di domini web'; +$wb['limit_web_aliasdomain_txt'] = 'Massimo numero di domini web alias'; +$wb['limit_web_subdomain_txt'] = 'Massimo numero di sottodomini web'; +$wb['limit_ftp_user_txt'] = 'Massimo numero di utenti FTP'; +$wb['default_dnsserver_txt'] = 'Server DNS Default'; +$wb['limit_dns_zone_txt'] = 'Massimo numero di zone DNS'; +$wb['limit_dns_slave_zone_txt'] = 'Massimo numero di zone DNS secondarie'; +$wb['limit_dns_record_txt'] = 'Massimo numero di record DNS'; +$wb['limit_shell_user_txt'] = 'Massimo numero di utenti della Shell'; +$wb['limit_client_txt'] = 'Massimo numero di Clienti'; +$wb['username_error_empty'] = 'Username vuoto.'; +$wb['username_error_unique'] = 'La username deve essere univoca.'; +$wb['limit_maildomain_error_notint'] = 'Il limite dei domini email deve essere un numero.'; +$wb['limit_mailbox_error_notint'] = 'Il limite delle caselle mail deve essere un numero.'; +$wb['limit_mailalias_error_notint'] = 'Il limite degli alias email deve essere un numero.'; +$wb['limit_mailforward_error_notint'] = 'Il limite delle email forward deve essere un numero.'; +$wb['limit_mailcatchall_error_notint'] = 'Il limite delle catchall deve essere un numero.'; +$wb['limit_mailrouting_error_notint'] = 'Il limite delle routing email deve essere un numero.'; +$wb['limit_mail_wblist_error_notint'] = 'Il limite delle liste email bianche / nere deve essere un numero.'; +$wb['limit_mailfilter_error_notint'] = 'Il limite dei filtri email deve essere un numero.'; +$wb['limit_mailfetchmail_error_notint'] = 'Il limite di fetchmail deve essere un numero.'; +$wb['limit_mailquota_error_notint'] = 'Il limite della quota mail deve essere un numero.'; +$wb['limit_spamfilter_wblist_error_notint'] = 'I limiti delle liste mail spamfilter bianhce / nere deve essere un numero.'; +$wb['limit_spamfilter_user_error_notint'] = 'Il limite di utenti liste spamfilter deve essere un numero.'; +$wb['limit_spamfilter_policy_error_notint'] = 'Il limite delle politiche spamfilter deve essere un numero.'; +$wb['limit_web_domain_error_notint'] = 'Il limite di siti web deve essere un numero.'; +$wb['limit_web_aliasdomain_error_notint'] = 'Il limite dei domini web alias deve essere un numero.'; +$wb['limit_web_subdomain_error_notint'] = 'Il limite di sottodomini web deve essere un numero.'; +$wb['limit_ftp_user_error_notint'] = 'Il limite degli utenti FTP deve essere un numero.'; +$wb['limit_shell_user_error_notint'] = 'Il limite degli utenti shell deve essere un numero.'; +$wb['limit_dns_zone_error_notint'] = 'Il limite dei record DNF deve essere un numero.'; +$wb['limit_dns_slave_zone_error_notint'] = 'Il numero di zone DNS slave deve essere un numero.'; +$wb['limit_dns_record_error_notint'] = 'Il limite dei record DNF deve essere un numero.'; $wb['default_dbserver_txt'] = 'Default Database Server'; -$wb['limit_database_error_notint'] = 'The database limit must be a number.'; -$wb['limit_cron_error_notint'] = 'The cron limit must be a number.'; -$wb['limit_cron_error_frequency'] = 'The cron frequency limit must be a number.'; -$wb['username_error_regex'] = 'The Username contains invalid chracaters.'; -$wb['template_master_txt'] = 'Master template'; -$wb['template_additional_txt'] = 'Addon template'; -$wb['ssh_chroot_txt'] = 'SSH-Chroot Options'; -$wb['web_php_options_txt'] = 'PHP Options'; -$wb['limit_client_error'] = 'The max. number of clients is reached.'; -$wb['limit_web_quota_txt'] = 'Web Quota'; -$wb['limit_traffic_quota_txt'] = 'Traffic Quota'; -$wb['limit_trafficquota_error_notint'] = 'Traffic Quota must be a number.'; -$wb['customer_no_txt'] = 'Customer No.'; +$wb['limit_database_error_notint'] = 'Il limite dei database deve essere un numero.'; +$wb['limit_cron_error_notint'] = 'Il limite di cron deve essere un numero.'; +$wb['limit_cron_error_frequency'] = 'La frequenza di cron deve essere un numero.'; +$wb['username_error_regex'] = 'Il nome utente contiene caratteri non ammessi.'; +$wb['template_master_txt'] = 'Modello Master'; +$wb['template_additional_txt'] = 'Modello Addon'; +$wb['ssh_chroot_txt'] = 'Opzioni SSH-Chroot'; +$wb['web_php_options_txt'] = 'Opzioni PHP'; +$wb['limit_client_error'] = 'Hai raggiunto il massimo numero di utenti di un cliente.'; +$wb['limit_web_quota_txt'] = 'Quota Web'; +$wb['limit_traffic_quota_txt'] = 'Quota Traffico'; +$wb['limit_trafficquota_error_notint'] = 'Quota Traffico deve essere un numero.'; +$wb['customer_no_txt'] = 'N° Cliente'; $wb['vat_id_txt'] = 'VAT ID'; -$wb['required_fields_txt'] = '* Required fields'; -$wb['limit_webdav_user_txt'] = 'Max. number of Webdav users'; -$wb['limit_webdav_user_error_notint'] = 'The webdav user limit must be a number.'; -$wb['limit_mailmailinglist_txt'] = 'Max. number of mailing lists'; -$wb['limit_mailaliasdomain_txt'] = 'Max. number of domain aliases'; -$wb['limit_mailmailinglist_error_notint'] = 'The mailing list record limit must be a number.'; -$wb['limit_openvz_vm_txt'] = 'Max. number of virtual servers'; -$wb['limit_openvz_vm_template_id_txt'] = 'Force virtual server template'; -$wb['limit_openvz_vm_error_notint'] = 'The virtual server limit must be a number.'; -$wb['web_php_options_notempty'] = 'No PHP option(s) selected. Select at least one PHP option.'; -$wb['ssh_chroot_notempty'] = 'No SSH chroot option selected. Select at least one option.'; -$wb['username_error_collision'] = 'The username may not start with the word -web- or -web- followed by a number.'; -$wb['add_additional_template_txt'] = 'Add additional template'; -$wb['delete_additional_template_txt'] = 'Elimina additional template'; -$wb['limit_cgi_txt'] = 'CGI available'; -$wb['limit_ssi_txt'] = 'SSI available'; -$wb['limit_perl_txt'] = 'Perl available'; -$wb['limit_ruby_txt'] = 'Ruby available'; -$wb['limit_python_txt'] = 'Python available'; -$wb['force_suexec_txt'] = 'SuEXEC forced'; -$wb['limit_hterror_txt'] = 'Custom error docs available'; -$wb['limit_wildcard_txt'] = 'Wildcard subdomain available'; -$wb['limit_ssl_txt'] = 'SSL available'; -$wb['web_limits_txt'] = 'Web Limits'; -$wb['email_limits_txt'] = 'Email Limits'; -$wb['database_limits_txt'] = 'Database Limits'; -$wb['cron_job_limits_txt'] = 'Cron Job Limits'; -$wb['dns_limits_txt'] = 'DNS Limits'; -$wb['virtualization_limits_txt'] = 'Virtualization Limits'; +$wb['required_fields_txt'] = '* Campi obbligatori'; +$wb['limit_webdav_user_txt'] = 'Massimo numero di utenti Webdav'; +$wb['limit_webdav_user_error_notint'] = 'Il limite di utenti Webdav deve essere un numero.'; +$wb['limit_mailmailinglist_txt'] = 'Massimo numero di mailing lists'; +$wb['limit_mailaliasdomain_txt'] = 'Massimo numero si domini alias'; +$wb['limit_mailmailinglist_error_notint'] = 'Il limite di mailing list deve essere un numero.'; +$wb['limit_openvz_vm_txt'] = 'Masimo numero di server virtuali'; +$wb['limit_openvz_vm_template_id_txt'] = 'Imponi modello virtual server'; +$wb['limit_openvz_vm_error_notint'] = 'Il limite di server virtuali deve essere un numero.'; +$wb['web_php_options_notempty'] = 'Nessuna opzione PHP selezionata. Selezionare almeno una opzione PHP.'; +$wb['ssh_chroot_notempty'] = 'Nessuna opzione chroot SSH selezionata. Seleziona almeno una opzione.'; +$wb['username_error_collision'] = 'La username non può iniziare con la parola -web- o -web- seguito da un numero.'; +$wb['add_additional_template_txt'] = 'Aggiungi modello'; +$wb['delete_additional_template_txt'] = 'Elimina modello'; +$wb['limit_cgi_txt'] = 'CGI disponibile'; +$wb['limit_ssi_txt'] = 'SSI disponibile'; +$wb['limit_perl_txt'] = 'Perl disponibile'; +$wb['limit_ruby_txt'] = 'Ruby disponibile'; +$wb['limit_python_txt'] = 'Python disponibile'; +$wb['force_suexec_txt'] = 'SuEXEC imposto'; +$wb['limit_hterror_txt'] = 'Messaggi di errore personalizzati disponibili'; +$wb['limit_wildcard_txt'] = 'sottodomini * disponibile'; +$wb['limit_ssl_txt'] = 'SSL disponibile'; +$wb['web_limits_txt'] = 'Limiti Web'; +$wb['email_limits_txt'] = 'Limiti Email'; +$wb['database_limits_txt'] = 'Limiti Database'; +$wb['cron_job_limits_txt'] = 'Limiti Cron Job'; +$wb['dns_limits_txt'] = 'Limiti DNS'; +$wb['virtualization_limits_txt'] = 'Limiti Virtualizzazione'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['email_error_isemail'] = 'Please enter a valid email address.'; -$wb['customer_no_error_unique'] = 'The customer no. must be unique (or empty).'; -$wb['paypal_email_error_isemail'] = 'Please enter a valid PayPal email address.'; -$wb['paypal_email_txt'] = 'PayPal Email'; -$wb['company_id_txt'] = 'Company/Entrepreneur ID'; -$wb['bank_account_number_txt'] = 'Bank account no.'; -$wb['bank_account_owner_txt'] = 'Bank account owner'; -$wb['bank_code_txt'] = 'Bank code'; -$wb['bank_name_txt'] = 'Bank name'; +$wb['email_error_isemail'] = 'Inserisci un indirizzo mail corretto.'; +$wb['customer_no_error_unique'] = 'Il numero di cliente deve essere univoco (o vuoto).'; +$wb['paypal_email_error_isemail'] = 'Inserire una mail valida per PayPal.'; +$wb['paypal_email_txt'] = 'Email PayPal'; +$wb['company_id_txt'] = 'ID Azienda/Impresa'; +$wb['bank_account_number_txt'] = 'n° conto corrente bancario.'; +$wb['bank_account_owner_txt'] = 'Titolare conto corrente bancario'; +$wb['bank_code_txt'] = 'Codice Banca'; +$wb['bank_name_txt'] = 'Nome banca'; $wb['bank_account_iban_txt'] = 'IBAN'; $wb['bank_account_swift_txt'] = 'BIC / Swift'; $wb['aps_limits_txt'] = 'APS Installer Limits'; -$wb['limit_aps_txt'] = 'Max. number of APS instances'; -$wb['limit_aps_error_notint'] = 'The APS instances limit must be a number.'; -$wb['default_slave_dnsserver_txt'] = 'Default Secondary DNS Server'; -$wb['locked_txt'] = 'Locked'; -$wb['canceled_txt'] = 'Canceled'; -$wb['gender_m_txt'] = 'Mr.'; -$wb['gender_f_txt'] = 'Ms.'; -$wb['gender_txt'] = 'Title'; -$wb['customer_no_template_txt'] = 'Customer No. template'; -$wb['customer_no_template_error_regex_txt'] = 'The customer No. template contains invalid characters'; -$wb['customer_no_start_txt'] = 'Customer No. start value'; -$wb['customer_no_counter_txt'] = 'Customer No. counter'; -$wb['added_by_txt'] = 'Added by'; -$wb['added_date_txt'] = 'Added date'; -$wb['limit_domainmodule_error_notint'] = 'Domainmodule limit must be a number.'; -$wb['limit_domainmodule_txt'] = 'Domainmodule Limit'; -$wb['client_limits_txt'] = 'Client Limits'; -$wb['err_msg_master_tpl_set'] = 'All custom limit settings are ignored if any master template other than \\"custom\\" is selected.'; -$wb['contact_firstname_txt'] = 'Contact firstname'; -$wb['limit_backup_txt'] = 'Backupfunction available'; -$wb['limit_client_error_positive_or_unlimited'] = 'The number of clients must be > 0 or -1 (unlimited)'; +$wb['limit_aps_txt'] = 'Massimo numero di istanze APS'; +$wb['limit_aps_error_notint'] = 'Il limite di istanze APS edve essere un numero.'; +$wb['default_slave_dnsserver_txt'] = 'Server DNS Secondario Default'; +$wb['locked_txt'] = 'Bloccato'; +$wb['canceled_txt'] = 'Eliminato'; +$wb['gender_m_txt'] = 'Sig.'; +$wb['gender_f_txt'] = 'Sig.ra'; +$wb['gender_txt'] = 'Titolo'; +$wb['customer_no_template_txt'] = 'Modello n° Cliente'; +$wb['customer_no_template_error_regex_txt'] = 'Il modello del n° cliente contiene caratteri non ammessi'; +$wb['customer_no_start_txt'] = 'Valore iniziale del n° cliente'; +$wb['customer_no_counter_txt'] = 'Contatore n° Cliente'; +$wb['added_by_txt'] = 'Aggiunto da'; +$wb['added_date_txt'] = 'Aggiunto in data'; +$wb['limit_domainmodule_error_notint'] = 'Il limite del modulo di Domini deve essere un numero.'; +$wb['limit_domainmodule_txt'] = 'Limite modulo Domini'; +$wb['client_limits_txt'] = 'Limiti Cliente'; +$wb['err_msg_master_tpl_set'] = 'Tutti i limiti personalizzati sono ignorati se viene selezionato un mìtemplate master diverso da \\"custom\\".'; +$wb['contact_firstname_txt'] = 'Nome contatto'; +$wb['limit_backup_txt'] = 'Funzione Backup disponibile'; +$wb['limit_client_error_positive_or_unlimited'] = 'Il numero di clienti deve essere > 0 or -1 (illimitato)'; $wb['web_servers_txt'] = 'Webservers'; -$wb['web_servers_placeholder'] = 'Select Webservers'; -$wb['no_web_server_error'] = 'At least one webserver must be selected.'; -$wb['web_servers_used'] = 'The server you are trying to remove from this client is used as a webserver. Be sure that this server is not used by this client before to remove it.'; +$wb['web_servers_placeholder'] = 'Seleziona Webservers'; +$wb['no_web_server_error'] = 'Almeno un webserver deve essere selezionato.'; +$wb['web_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come web server. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; $wb['dns_servers_txt'] = 'DNS Server'; -$wb['dns_servers_placeholder'] = 'Select DNS Servers'; -$wb['no_dns_server_error'] = 'At least one DNS server must be selected.'; -$wb['dns_servers_used'] = 'The server you are trying to remove from this client is used as a DNS server. Be sure that this server is not used by this client before to remove it.'; +$wb['dns_servers_placeholder'] = 'Seleziona DNS Servers'; +$wb['no_dns_server_error'] = 'Almeno un DNS server deve essere selezionato.'; +$wb['dns_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come DNS server. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; $wb['db_servers_txt'] = 'Database Server'; -$wb['db_servers_placeholder'] = 'Select Database Servers'; -$wb['no_db_server_error'] = 'At least one Database server must be selected.'; -$wb['db_servers_used'] = 'The server you are trying to remove from this client is used as a Database server. Be sure that this server is not used by this client before to remove it.'; +$wb['db_servers_placeholder'] = 'Seleziona Database Servers'; +$wb['no_db_server_error'] = 'Almeno un Database server deve essere selezionato.'; +$wb['db_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come Database server. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; $wb['mail_servers_txt'] = 'Mailservers'; -$wb['mail_servers_placeholder'] = 'Select Mailservers'; -$wb['no_mail_server_error'] = 'At least one Mailserver must be selected.'; -$wb['mail_servers_used'] = 'The server you are trying to remove from this client is used as a Mailserver. Be sure that this server is not used by this client before to remove it.'; -$wb['xmpp_limits_txt'] = 'XMPP Limits'; +$wb['mail_servers_placeholder'] = 'Seleziona Mailservers'; +$wb['no_mail_server_error'] = 'Almeno un Mailserver deve essere selezionate.'; +$wb['mail_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come server Mail. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['xmpp_limits_txt'] = 'Limiti XMPP'; $wb['xmpp_servers_txt'] = 'XMPP Servers'; -$wb['xmpp_servers_placeholder'] = 'Select XMPP Servers'; -$wb['no_xmpp_server_error'] = 'At least one XMPP Server must be selected.'; -$wb['xmpp_servers_used'] = 'The server you are trying to remove from this client is used as a XMPP Server. Be sure that this server is not used by this client before you remove it.'; -$wb['limit_xmpp_domain_error_notint'] = 'The XMPP domain limit must be a number.'; -$wb['limit_xmpp_user_error_notint'] = 'The XMPP user limit must be a number.'; -$wb['limit_xmpp_domain_txt'] = 'Max. number of XMPP domains'; -$wb['limit_xmpp_user_txt'] = 'Max. number of XMPP accounts'; -$wb['limit_xmpp_muc_txt'] = 'Multiuser chat available'; -$wb['limit_xmpp_pastebin_txt'] = 'Pastebin for MUC available'; -$wb['limit_xmpp_httparchive_txt'] = 'HTTP archive for MUC available'; -$wb['limit_xmpp_anon_txt'] = 'Anonymous host available'; -$wb['limit_xmpp_vjud_txt'] = 'VJUD user directory available'; -$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy available'; -$wb['limit_xmpp_status_txt'] = 'Status host available'; -$wb['invalid_vat_id'] = 'The VAT ID is invalid.'; -$wb['btn_save_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['email_error_empty'] = 'Email is empty'; -$wb['limit_database_user_txt'] = 'Max. Database users'; -$wb['limit_database_user_error_notint'] = 'The database user limit must be a number.'; -$wb['limit_database_quota_txt'] = 'Database quota'; -$wb['limit_database_quota_error_notint'] = 'The database quota limit must be a number.'; -$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt available'; -$wb['limit_directive_snippets_txt'] = 'Show web server config selection'; -$wb['password_click_to_set_txt'] = 'Click to set'; -$wb['Reseller'] = 'Reseller'; -$wb['Address'] = 'Address'; -$wb['Limits'] = 'Limits'; +$wb['xmpp_servers_placeholder'] = 'Seleziona XMPP Servers'; +$wb['no_xmpp_server_error'] = 'Almeno un XMPP Server deve essere selezionata.'; +$wb['xmpp_servers_used'] = 'Il server che stai cercando di rimuovere da questo cliente è in uso come server XMPP. Assicurati che non sia usato dal cliente prima di tentare di rimuoverlo.'; +$wb['limit_xmpp_domain_error_notint'] = 'Il limite di domini XMPP deve essere un numero.'; +$wb['limit_xmpp_user_error_notint'] = 'Il limite di utenti XMPP deve essere un numero.'; +$wb['limit_xmpp_domain_txt'] = 'Massimo numero di domini XMPP'; +$wb['limit_xmpp_user_txt'] = 'Massimo numero di profili XMPP'; +$wb['limit_xmpp_muc_txt'] = 'Multiuser chat disponibile'; +$wb['limit_xmpp_pastebin_txt'] = 'Pastebin per MUC disponibile'; +$wb['limit_xmpp_httparchive_txt'] = 'Archivio HTTP per MUC disponibile'; +$wb['limit_xmpp_anon_txt'] = 'host anonimo disponibile'; +$wb['limit_xmpp_vjud_txt'] = 'Rubrica utenti VJUD disponibile'; +$wb['limit_xmpp_proxy_txt'] = 'Bytestream proxy disponibile'; +$wb['limit_xmpp_status_txt'] = 'Status host disponibile'; +$wb['invalid_vat_id'] = 'Il numero IVA non è corretto.'; +$wb['btn_save_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['email_error_empty'] = 'Email è vuoto'; +$wb['limit_database_user_txt'] = 'Massimo numero di utenti Database'; +$wb['limit_database_user_error_notint'] = 'Il limite di utente database deve essere un numero.'; +$wb['limit_database_quota_txt'] = 'Quota Database'; +$wb['limit_database_quota_error_notint'] = 'La quota database deve essere un numore.'; +$wb['limit_ssl_letsencrypt_txt'] = 'Let\'s Encrypt disponibile'; +$wb['limit_directive_snippets_txt'] = 'Mostra selezione configurazione server web'; +$wb['password_click_to_set_txt'] = 'Clicca per impostare'; +$wb['Reseller'] = 'Rivenditore'; +$wb['Address'] = 'Indirizzo'; +$wb['Limits'] = 'Limiti'; diff --git a/interface/web/client/lib/lang/it_resellers_list.lng b/interface/web/client/lib/lang/it_resellers_list.lng index 079ce84f4d0d1d4e431256430932cde427cdb354..dbf6b8f6ecc68e33735678094f7acfff39e6c91c 100644 --- a/interface/web/client/lib/lang/it_resellers_list.lng +++ b/interface/web/client/lib/lang/it_resellers_list.lng @@ -6,6 +6,6 @@ $wb['contact_name_txt'] = 'Contatto'; $wb['city_txt'] = 'Città '; $wb['country_txt'] = 'Nazione'; $wb['add_new_record_txt'] = 'Aggiungi nuovo rivenditore'; -$wb['customer_no_txt'] = 'Customer No.'; +$wb['customer_no_txt'] = 'n° cliente'; $wb['username_txt'] = 'Nome Utente'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_donate.lng b/interface/web/dashboard/lib/lang/it_dashlet_donate.lng index e41c374cde792db1d7b906f986f7ba7e0a215ef8..803301e0467e9305006a1f8f885e3f8a18f122b0 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_donate.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_donate.lng @@ -1,7 +1,7 @@ <?php -$wb['donate_txt'] = 'The ISPConfig Hosting Control Panel is free software. Maybe you are aware, that it takes a lot of time and effort to develop, maintain and support a software project of this complexity. If you want to support the further development of ISPConfig, please consider making a donation. As a bonus you will get a copy of the current ISPConfig Manual.'; -$wb['donate2_txt'] = 'The donation amount can be 5 EUR or more, the amount is chosen during checkout. The payment method is PayPal. You will receive an receipt as PDF from ISPConfig UG.'; -$wb['hide_btn_txt'] = 'Hide'; -$wb['donate_btn_txt'] = 'Support ISPConfig and get the Manual'; -$wb['more_btn_txt'] = 'More'; +$wb['donate_txt'] = 'Il software ISPConfig Hosting Control Panel è un software libero. Può darsi che tu lo sappia già , che richiede molto tempo e impegno per sviluppare un progetto software di questa complessità . Se vuoi supportare ulteriori sviluppi di ISPConfig, per favore considera di fare una donazione. Otterrai anche, come bonus, una copia del manuale di ISPConfig.'; +$wb['donate2_txt'] = 'L\'importo della donazione può essere di 5 Euro o pù, l\'importo viene scelto durante il checkout. Il metodo di pagamento è PayPal. Riceverai anche la ricevuta in PDF da ISPConfig UG.'; +$wb['hide_btn_txt'] = 'Nascondi'; +$wb['donate_btn_txt'] = 'Supporta il manuale di ISPConfig'; +$wb['more_btn_txt'] = 'Ancora'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_invoice_client_settings.lng b/interface/web/dashboard/lib/lang/it_dashlet_invoice_client_settings.lng index 8cae3dfb4f0563e28f98f3cc43f4e0983946e9d6..bde1eb9f97d8c78a618465a6e4be7b826e6204a7 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_invoice_client_settings.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_invoice_client_settings.lng @@ -1,4 +1,4 @@ <?php -$wb['invoice_client_settings_txt'] = 'Invoice Client Settings'; +$wb['invoice_client_settings_txt'] = 'Impostazioni di fatturazione Cliente'; $wb['edit_txt'] = 'Edit'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_invoices.lng b/interface/web/dashboard/lib/lang/it_dashlet_invoices.lng index a680daa8f623ad5af726dffd8eb1e1c0b1ce9b4e..8c5eec03a18a30415ad0eb4f8cd13f68be2a8543 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_invoices.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_invoices.lng @@ -1,18 +1,18 @@ <?php -$wb['invoices_txt'] = 'Invoices'; -$wb['invoice_no_txt'] = 'Invoice No.'; -$wb['amount_txt'] = 'Amount'; -$wb['date_txt'] = 'Date'; -$wb['invoice_status_txt'] = 'Status'; -$wb['no_invoices_txt'] = 'No Invoices available.'; -$wb['paid_txt'] = 'Paid'; -$wb['unpaid_txt'] = 'Unpaid'; -$wb['paynow_txt'] = 'pay now'; +$wb['invoices_txt'] = 'Fattura'; +$wb['invoice_no_txt'] = 'Fattura n°.'; +$wb['amount_txt'] = 'Importo'; +$wb['date_txt'] = 'Data'; +$wb['invoice_status_txt'] = 'Stato'; +$wb['no_invoices_txt'] = 'Fattura non disponibile.'; +$wb['paid_txt'] = 'Pagato'; +$wb['unpaid_txt'] = 'Non pagato'; +$wb['paynow_txt'] = 'paga adesso'; $wb['proforma_txt'] = 'Proforma'; -$wb['refunded_txt'] = 'Refunded'; -$wb['not_refunded_txt'] = 'Not refunded'; -$wb['invoice_type_invoice_txt'] = 'Invoice'; +$wb['refunded_txt'] = 'Rimborsato'; +$wb['not_refunded_txt'] = 'Non rimborsato'; +$wb['invoice_type_invoice_txt'] = 'Fattura'; $wb['invoice_type_proforma_txt'] = 'Proforma'; -$wb['invoice_type_refund_txt'] = 'Refund'; -$wb['invoice_type_reminder_txt'] = 'Reminder'; +$wb['invoice_type_refund_txt'] = 'Rimborso'; +$wb['invoice_type_reminder_txt'] = 'Promemoria'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_limits.lng b/interface/web/dashboard/lib/lang/it_dashlet_limits.lng index 8f2b2d70d83f59bfc23c9a4e5fc3bd19c1df0020..b09fbaabc81c6050765dd5876fb2136f84cb2143 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_limits.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_limits.lng @@ -1,15 +1,15 @@ <?php -$wb['limits_txt'] = 'Sintesi account'; +$wb['limits_txt'] = 'Sintesi profili'; $wb['of_txt'] = 'su'; $wb['limit_maildomain_txt'] = 'Domini e-mail'; $wb['limit_mailbox_txt'] = 'Caselle e-mail'; $wb['limit_mailalias_txt'] = 'Alias di e-mail'; $wb['limit_mailaliasdomain_txt'] = 'Alias di domini'; $wb['limit_mailforward_txt'] = 'Inoltro e-mail'; -$wb['limit_mailcatchall_txt'] = 'Account catchall e-mail'; +$wb['limit_mailcatchall_txt'] = 'Profilo catchall e-mail'; $wb['limit_mailrouting_txt'] = 'Instradamento e-mail'; $wb['limit_mailfilter_txt'] = 'Filtri e-mail'; -$wb['limit_fetchmail_txt'] = 'Account fetchmail'; +$wb['limit_fetchmail_txt'] = 'Profilo fetchmail'; $wb['limit_spamfilter_wblist_txt'] = 'Filtri spamfilter white / blacklist'; $wb['limit_spamfilter_user_txt'] = 'Utenti spamfilter'; $wb['limit_spamfilter_policy_txt'] = 'Policy spamfilter'; diff --git a/interface/web/dashboard/lib/lang/it_dashlet_mailquota.lng b/interface/web/dashboard/lib/lang/it_dashlet_mailquota.lng index daaaa67f49c948861df6a5a049c2758212d6964e..6b7fc62c1e669363d2212bb1ff7e0be1ed3d77c0 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_mailquota.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_mailquota.lng @@ -4,5 +4,5 @@ $wb['email_txt'] = 'Indirizzo e-mail'; $wb['name_txt'] = 'Nome'; $wb['used_txt'] = 'Spazio Usato'; $wb['quota_txt'] = 'Quota'; -$wb['no_email_accounts_txt'] = 'Nessun account e-mail trovato.'; +$wb['no_email_accounts_txt'] = 'Nessun profilo e-mail trovato.'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_products.lng b/interface/web/dashboard/lib/lang/it_dashlet_products.lng index a69b61d2fbf06f20ab1cbed5f33d4804256ba40a..9e5895d71177b6b48764c757aae6b127d828abb8 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_products.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_products.lng @@ -1,9 +1,9 @@ <?php -$wb['products_txt'] = 'My Products'; -$wb['name_txt'] = 'Name'; -$wb['price_txt'] = 'Price'; -$wb['next_payment_date_txt'] = 'Next Invoice'; -$wb['no_products_txt'] = 'No products found.'; +$wb['products_txt'] = 'I miei prodotti'; +$wb['name_txt'] = 'Nome'; +$wb['price_txt'] = 'Prezzo'; +$wb['next_payment_date_txt'] = 'Prossima fattura'; +$wb['no_products_txt'] = 'Nessun prodotto trovato.'; $wb['edit_txt'] = 'Edit'; -$wb['cancellation_date_txt'] = 'Cancelled by'; +$wb['cancellation_date_txt'] = 'Cancellato da'; ?> diff --git a/interface/web/dashboard/lib/lang/it_dashlet_shop.lng b/interface/web/dashboard/lib/lang/it_dashlet_shop.lng index 1e0b5361d7baaca8a3501c3b3506d424a0c29581..0befa94c0a592319a37085282f6e6733f362a362 100644 --- a/interface/web/dashboard/lib/lang/it_dashlet_shop.lng +++ b/interface/web/dashboard/lib/lang/it_dashlet_shop.lng @@ -1,8 +1,8 @@ <?php -$wb['shop_txt'] = 'Order'; -$wb['name_txt'] = 'Name'; -$wb['price_txt'] = 'Price'; -$wb['setup_fee_txt'] = 'Setup Fee'; -$wb['no_products_txt'] = 'No products found.'; -$wb['order_txt'] = 'Order'; +$wb['shop_txt'] = 'Ordine'; +$wb['name_txt'] = 'Nome'; +$wb['price_txt'] = 'Prezzo'; +$wb['setup_fee_txt'] = 'Imposta contributo'; +$wb['no_products_txt'] = 'Nessun prodotto trovato.'; +$wb['order_txt'] = 'Ordine'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_a.lng b/interface/web/dns/lib/lang/it_dns_a.lng index f45709437ec28c31334a14f652552523cc1b6dc7..b6d94f76a54cd1faf72c412d52d77bbe30ecfc8b 100644 --- a/interface/web/dns/lib/lang/it_dns_a.lng +++ b/interface/web/dns/lib/lang/it_dns_a.lng @@ -1,17 +1,17 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'IP-Address'; +$wb['type_txt'] = 'Tipo'; +$wb['data_txt'] = 'Indirizzo IP'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'IP-Address empty'; -$wb['data_error_duplicate'] = 'Duplicate A, ALIAS or CNAME record'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['ip_error_wrong'] = 'IP-Address format invalid'; +$wb['limit_dns_record_txt'] = 'Numero massimo di record DNS raggiunto per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere un record DNS a questa zona.'; +$wb['name_error_empty'] = 'The hostname vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Indirizzo IP vuoto'; +$wb['data_error_duplicate'] = 'Record A, ALIAS or CNAME Duplicato'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; +$wb['ip_error_wrong'] = 'Formato Indirizzo IP non valido'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_a_list.lng b/interface/web/dns/lib/lang/it_dns_a_list.lng index 4c9a3de2dd32d5fd982f27df2d33eb258bf2a739..cd3682a217ab1f520a71da34f65c668a89dd84fe 100644 --- a/interface/web/dns/lib/lang/it_dns_a_list.lng +++ b/interface/web/dns/lib/lang/it_dns_a_list.lng @@ -2,14 +2,14 @@ $wb['list_head_txt'] = 'A-Record'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Nome'; -$wb['data_txt'] = 'Data'; -$wb['aux_txt'] = 'Priorita'; +$wb['data_txt'] = 'Dati'; +$wb['aux_txt'] = 'Priorità '; $wb['ttl_txt'] = 'TTL'; -$wb['type_txt'] = 'Type'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo DNS A-Record'; -$wb['page_txt'] = 'Page'; -$wb['page_of_txt'] = 'of'; +$wb['type_txt'] = 'Tipo'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo DNS A-Record'; +$wb['page_txt'] = 'Pagina'; +$wb['page_of_txt'] = 'di'; $wb['delete_confirmation'] = 'Vuoi davvero eliminare questo record?'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_aaaa.lng b/interface/web/dns/lib/lang/it_dns_aaaa.lng index a54f87a5fa5f711c79f28d489def989a2de4e070..8de4a2c5e2fd2d4283629c4ef4e9f5c5193ebe98 100644 --- a/interface/web/dns/lib/lang/it_dns_aaaa.lng +++ b/interface/web/dns/lib/lang/it_dns_aaaa.lng @@ -6,7 +6,7 @@ $wb['type_txt'] = 'tipo'; $wb['data_txt'] = 'Indirizzo IPv6'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'Numero massimo records DNS raggiunto per il tuo account.'; +$wb['limit_dns_record_txt'] = 'Numero massimo records DNS raggiunto per il tuo profilo.'; $wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; $wb['name_error_empty'] = 'Nome Host vuoto.'; $wb['name_error_regex'] = 'Formato errato per Nome Host.'; diff --git a/interface/web/dns/lib/lang/it_dns_alias.lng b/interface/web/dns/lib/lang/it_dns_alias.lng index e2eade0f8a2d93c9ccf844ab013aab6672a5e372..c95d9b01e2058a11c7f021b6b024027ea8ae61db 100644 --- a/interface/web/dns/lib/lang/it_dns_alias.lng +++ b/interface/web/dns/lib/lang/it_dns_alias.lng @@ -1,17 +1,17 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; $wb['type_txt'] = 'type'; $wb['data_txt'] = 'Target Hostname'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Target hostname empty'; -$wb['data_error_regex'] = 'Target hostname format invalid'; -$wb['data_error_duplicate'] = 'Duplicate A, AAAA, ALIAS, CNAME, or DNAME record'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['limit_dns_record_txt'] = 'Massimo numero di record DNS raggiunto per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non sei abilitato ad aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'L\'hostname vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Target hostname è vuoto'; +$wb['data_error_regex'] = 'formato Target hostname non valido'; +$wb['data_error_duplicate'] = 'record A, AAAA, ALIAS, CNAME, or DNAME Duplicate'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_caa.lng b/interface/web/dns/lib/lang/it_dns_caa.lng index 8040cb4d549f3bc060a5b9ace62f711715446b0f..3cd8efd365fb39c8d554000168d60ed8df2759e6 100644 --- a/interface/web/dns/lib/lang/it_dns_caa.lng +++ b/interface/web/dns/lib/lang/it_dns_caa.lng @@ -1,19 +1,19 @@ <?php $wb['ca_list_txt'] = 'Certification Authority'; -$wb['ca_domain_txt'] = 'Domain'; -$wb['ca_hostname_txt'] = 'Additional Hostnames'; -$wb['ca_hostname_note_txt'] = '(Sepearated list with commas - empty for all hostnames)'; -$wb['ca_options_txt'] = 'Additional Options'; -$wb['ca_options_note_txt'] = 'requested by the CA (Sepearated list with commas)'; -$wb['ca_wildcard_txt'] = 'Use Wildcard SSL'; -$wb['ca_critical_txt'] = 'Strict check'; +$wb['ca_domain_txt'] = 'Dominio'; +$wb['ca_hostname_txt'] = 'Hostnames aggiuntivi'; +$wb['ca_hostname_note_txt'] = '(liste separate da virgole - vuoto per tutti gli hostname)'; +$wb['ca_options_txt'] = 'Optioni Aggiuntive'; +$wb['ca_options_note_txt'] = 'richieste dalla CA (liste separate da virgole)'; +$wb['ca_wildcard_txt'] = 'Usare * SSL'; +$wb['ca_critical_txt'] = 'Verifica approfondita'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['select_txt'] = 'Select Certification Authority'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['ca_error_txt'] = 'No Certification Authority selected'; -$wb['caa_exists_error'] = 'CAA Record already exists'; -$wb['ca_option_error'] = 'Invalid format for additional options; OPTION=VALUE'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['active_txt'] = 'Attivo'; +$wb['select_txt'] = 'Seleziona Certification Authority'; +$wb['no_zone_perm'] = 'Non sei abilitato ad aggiungere record a questa zona DNS.'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['ca_error_txt'] = 'Nessuna Certification Authority selezionata'; +$wb['caa_exists_error'] = 'CAA Record esiste già '; +$wb['ca_option_error'] = 'Formato scorretto per opzioni aggiuntive; OPTION=VALUE'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_cname.lng b/interface/web/dns/lib/lang/it_dns_cname.lng index ced97b351ae511ecfa512c77eb593f816d8ec801..0e05f1ea8f114ca694ee873bd5e079ab2ca1f50e 100644 --- a/interface/web/dns/lib/lang/it_dns_cname.lng +++ b/interface/web/dns/lib/lang/it_dns_cname.lng @@ -6,12 +6,12 @@ $wb['type_txt'] = 'tipo'; $wb['data_txt'] = 'Target Nome Host'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'Numero massimo di record DNS raggiunto per il tuo account.'; +$wb['limit_dns_record_txt'] = 'Numero massimo di record DNS raggiunto per il tuo profilo.'; $wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; $wb['name_error_empty'] = 'Nome Host vuoto.'; $wb['name_error_regex'] = 'Formato errato per Nome Host.'; $wb['data_error_empty'] = 'Target nome host vuoto'; $wb['data_error_regex'] = 'Target nome host formato errato'; -$wb['data_error_duplicate'] = 'Duplicate A, AAAA, ALIAS, CNAME, or DNAME record'; +$wb['data_error_duplicate'] = 'record A, AAAA, ALIAS, CNAME, or DNAME Duplicato'; $wb['ttl_range_error'] = 'TTL time minimo 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_dkim.lng b/interface/web/dns/lib/lang/it_dns_dkim.lng index 4d45fb4fe95d87134331a593c81c6994bafab57c..dd05a1fa1e976db7db2ad9f676aeae174d9dd3ec 100644 --- a/interface/web/dns/lib/lang/it_dns_dkim.lng +++ b/interface/web/dns/lib/lang/it_dns_dkim.lng @@ -1,13 +1,13 @@ <?php -$wb['public_key_txt'] = 'Public-Key'; +$wb['public_key_txt'] = 'Chiave pubblica'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['record_exists_txt'] = 'DNS-Record already exists'; -$wb['dkim_disabled_txt'] = 'DKIM disabled for this mail-domain'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['selector_txt'] = 'DKIM-Selector'; -$wb['data_error_empty'] = 'Public-Key missing'; -$wb['dkim_selector_empty_txt'] = 'DKIM-Selector is empty'; +$wb['active_txt'] = 'Attivo'; +$wb['record_exists_txt'] = 'Il record DNS esiste già '; +$wb['dkim_disabled_txt'] = 'DKIM disabilitato per questo dominio mail'; +$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your profilo is reached.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record DNZ a questa zona.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; +$wb['selector_txt'] = 'DKIM-Selettore'; +$wb['data_error_empty'] = 'Manca la chiave pubblica'; +$wb['dkim_selector_empty_txt'] = 'DKIM-Selettore è vuoto'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_dmarc.lng b/interface/web/dns/lib/lang/it_dns_dmarc.lng index cf78bb8eed902817caf1e80e9e6e77d9d64b9ab3..64e66f4a93cb07b3b83b1f21c8ab33dea4c02fbf 100644 --- a/interface/web/dns/lib/lang/it_dns_dmarc.lng +++ b/interface/web/dns/lib/lang/it_dns_dmarc.lng @@ -1,50 +1,50 @@ <?php -$wb['data_txt'] = 'DMARC Record'; -$wb['domain_txt'] = 'Domain'; -$wb['dmarc_policy_txt'] = 'Mail Receiver Policy'; -$wb['dmarc_policy_note_txt'] = 'How ISPs should handle messages that failed SPF or DKIM (DMARC).'; -$wb['dmarc_policy_none_txt'] = 'none'; -$wb['dmarc_policy_quarantine_txt'] = 'quarantine'; -$wb['dmarc_policy_reject_txt'] = 'reject'; -$wb['dmarc_rua_txt'] = 'Aggregate Data Reporting Address'; -$wb['dmarc_rua_note_txt'] = 'Email to receive reports from ISPs aboute messages which failed DMARC checks for the domain (separated by whitespaces).'; -$wb['dmarc_ruf_txt'] = 'Forensic Data Reporting Address'; -$wb['dmarc_ruf_note_txt'] = 'Email to receive sample messages that are failing DMARC checks for the domain (separated by whitespaces).'; -$wb['dmarc_fo_txt'] = 'Forensic reporting options'; -$wb['dmarc_fo0_txt'] = 'Generate reports if all underlying authentication mechanisms fail to produce a DMARC \'pass\' result.'; -$wb['dmarc_fo1_txt'] = 'Generate reports if any mechanisms fail.'; -$wb['dmarc_fod_txt'] = 'Generate report if DKIM signature failed to verify.'; -$wb['dmarc_fos_txt'] = 'Generate report if SPF failed.'; +$wb['data_txt'] = 'Record DMARC'; +$wb['domain_txt'] = 'Dominio'; +$wb['dmarc_policy_txt'] = 'Politica di ricezione mail'; +$wb['dmarc_policy_note_txt'] = 'Come devono essere gestiti i messaggi che non hanno superato SPF or DKIM (DMARC).'; +$wb['dmarc_policy_none_txt'] = 'nessuno'; +$wb['dmarc_policy_quarantine_txt'] = 'quarantena'; +$wb['dmarc_policy_reject_txt'] = 'rifiuta'; +$wb['dmarc_rua_txt'] = 'Indirizzi di invio dei report di dati aggregati'; +$wb['dmarc_rua_note_txt'] = 'Indirizzi Email cui notificare i report dagli ISP riguardo i messaggi che non hanno superato la verifica DMARC per il dominio (separare gli indirizzi da spazi).'; +$wb['dmarc_ruf_txt'] = 'Indirizzi per i report di dati Forensi'; +$wb['dmarc_ruf_note_txt'] = 'Indirizzi Email cui notificare i report dagli ISP riguardo i messaggi che non hanno superato la verifica DMARC per il dominio (separare gli indirizzi da spazi).'; +$wb['dmarc_fo_txt'] = 'Opzioni di report Forense'; +$wb['dmarc_fo0_txt'] = 'Generare report se tutti i meccanismi di autenticazione non producono un risultato di \'pass\' alla verifica DMARC'; +$wb['dmarc_fo1_txt'] = 'Generare report se qualunque meccanismo fallisce.'; +$wb['dmarc_fod_txt'] = 'Generare report se non supera la verifica di firma DKIM.'; +$wb['dmarc_fos_txt'] = 'Generare report se fallisce SPF.'; $wb['dmarc_adkim_txt'] = 'DKIM identifier alignment'; -$wb['dmarc_adkim_note_txt'] = '\'strict\' requires exact matching between DKIM domain and email\'s from'; -$wb['dmarc_adkim_r_txt'] = 'relaxed'; -$wb['dmarc_adkim_s_txt'] = 'strict'; +$wb['dmarc_adkim_note_txt'] = '\'esetta\' richiede l\'esatta uguaglianza tra il dominio DKIM e il campo \'da\' della email'; +$wb['dmarc_adkim_r_txt'] = 'rilassata'; +$wb['dmarc_adkim_s_txt'] = 'esatta'; $wb['dmarc_aspf_txt'] = 'SPF identifier alignment'; -$wb['dmarc_aspf_note_txt'] = '\'strict\' requires exact matching between SPF domain and email\'s from'; -$wb['dmarc_aspf_r_txt'] = 'relaxed'; -$wb['dmarc_aspf_s_txt'] = 'strict'; -$wb['dmarc_rf_txt'] = 'Report Format'; -$wb['dmarc_rf_afrf_txt'] = 'Authentication Failure Reporting Format'; -$wb['dmarc_rf_iodef_txt'] = 'Incident Object Description Exchange Format'; -$wb['dmarc_pct_txt'] = 'Apply Policy to this Percentage'; -$wb['dmarc_pct_note_txt'] = '% (100 default). Messages in percent from the domain you want ISPs to check.'; -$wb['dmarc_ri_txt'] = 'Reporting Interval'; -$wb['dmarc_ri_note_txt'] = 'Seconds (default=86400). The time in seconds that aggregate reports should be generate (86400 represents 1 day).'; -$wb['dmarc_sp_txt'] = 'Subdomain Policy (Defaults to same as domain).'; -$wb['dmarc_sp_same_txt'] = 'same as domain'; -$wb['dmarc_sp_none_txt'] = 'none'; -$wb['dmarc_sp_quarantine_txt'] = 'quarantine'; -$wb['dmarc_sp_reject_txt'] = 'reject'; +$wb['dmarc_aspf_note_txt'] = '\'esatta\' richiede l\'esatta uguaglianza tra il domini SPF e il campo \'da\' della email'; +$wb['dmarc_aspf_r_txt'] = 'rilassata'; +$wb['dmarc_aspf_s_txt'] = 'esatta'; +$wb['dmarc_rf_txt'] = 'Formato Report'; +$wb['dmarc_rf_afrf_txt'] = 'Formato del reporto di mancata autenticazione'; +$wb['dmarc_rf_iodef_txt'] = 'Formato di scambio della descrizione del problema accaduto'; +$wb['dmarc_pct_txt'] = 'Applica la politica con questa percentuale'; +$wb['dmarc_pct_note_txt'] = '% (100 default). Numero di Messaggi in percentuale dal dominio per il quale vuoi che gli ISP eseguano la verifica.'; +$wb['dmarc_ri_txt'] = 'Intervallo di Report'; +$wb['dmarc_ri_note_txt'] = 'Secondi (default=86400). Tempo in secondi per aggregare i dati del report da generare (86400 rappresenta 1 giorno).'; +$wb['dmarc_sp_txt'] = 'Politica per i sottodomini (Default la stessa dei Domini).'; +$wb['dmarc_sp_same_txt'] = 'Stessa dei domini'; +$wb['dmarc_sp_none_txt'] = 'nessuna'; +$wb['dmarc_sp_quarantine_txt'] = 'quarantena'; +$wb['dmarc_sp_reject_txt'] = 'rifiuta'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['dmarc_policy_error_txt'] = 'Only policy \'none\' is allowed without DKIM-signed emails.'; -$wb['dmarc_no_dkim_txt'] = 'No active DKIM Record.'; -$wb['dmarc_no_spf_txt'] = 'No active SPF Record.'; -$wb['dmarc_more_spf_txt'] = 'More than one active SPF Record'; -$wb['dmarc_invalid_email_txt'] = 'Invalid Email'; -$wb['dmarc_empty_txt'] = 'DMARC Record empty - specify at least one option'; -$wb['record_exists_txt'] = 'DNS-Record already exists'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['active_txt'] = 'Attivo'; +$wb['dmarc_policy_error_txt'] = 'Solo la politica \'nessuna\' è consentita senza mail firmate DKIM.'; +$wb['dmarc_no_dkim_txt'] = 'Nessun record DKIM attivo.'; +$wb['dmarc_no_spf_txt'] = 'Nessun record SPF attivo.'; +$wb['dmarc_more_spf_txt'] = 'Più di un record SPF attivo'; +$wb['dmarc_invalid_email_txt'] = 'Email non valida'; +$wb['dmarc_empty_txt'] = 'Record DMARC vuoto - specificare almeno un\'opzione'; +$wb['record_exists_txt'] = 'Record DNS esistono già '; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere un record a questa zona DNS.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_dname.lng b/interface/web/dns/lib/lang/it_dns_dname.lng index e9d1a057cc51829d678f4c5ca676d1007859a54e..1e1e548b6bb53c14e7bf6713b98104858f75b833 100644 --- a/interface/web/dns/lib/lang/it_dns_dname.lng +++ b/interface/web/dns/lib/lang/it_dns_dname.lng @@ -6,7 +6,7 @@ $wb['type_txt'] = 'tipo'; $wb['data_txt'] = 'Target Nome Host'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'Numero massimo di record DNS raggiunto per il tuo account.'; +$wb['limit_dns_record_txt'] = 'Numero massimo di record DNS raggiunto per il tuo profilo.'; $wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; $wb['name_error_empty'] = 'Nome Host vuoto.'; $wb['name_error_regex'] = 'Formato errato per Nome Host.'; diff --git a/interface/web/dns/lib/lang/it_dns_ds.lng b/interface/web/dns/lib/lang/it_dns_ds.lng index c3622dc5b5eaa71ee71e573b6bb83da16aba3892..52fd45af0e591dd544c1440caad3b562e43278ea 100644 --- a/interface/web/dns/lib/lang/it_dns_ds.lng +++ b/interface/web/dns/lib/lang/it_dns_ds.lng @@ -1,17 +1,17 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Data'; +$wb['type_txt'] = 'tipo'; +$wb['data_txt'] = 'Dati'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname is empty.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Text empty'; -$wb['data_error_regex'] = 'Text format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['invalid_type_ds'] = 'DS-Record has a wrong format.'; +$wb['active_txt'] = 'Attivo'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il numero massimo di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere un record a questa zona DNS.'; +$wb['name_error_empty'] = 'Il campo hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Testo vuoto'; +$wb['data_error_regex'] = 'Formato testo non corretto'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; +$wb['invalid_type_ds'] = 'Il Record DNS ha un formato non corretto.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_hinfo.lng b/interface/web/dns/lib/lang/it_dns_hinfo.lng index 905b1e62e25c30ff94f6f011a8c69b7c93baba53..7ffae6a63cb9bf004c86b97d70983a45ddf7b3ce 100644 --- a/interface/web/dns/lib/lang/it_dns_hinfo.lng +++ b/interface/web/dns/lib/lang/it_dns_hinfo.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Host Information'; +$wb['type_txt'] = 'Tipo'; +$wb['data_txt'] = 'Informazioni Host'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Host information empty'; -$wb['data_error_regex'] = 'Host Information format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto Il numero massimo di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Informazioni Host è vuoto'; +$wb['data_error_regex'] = 'Informazioni Host ha un formato non valido'; +$wb['ttl_range_error'] = 'Min. TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_import.lng b/interface/web/dns/lib/lang/it_dns_import.lng index 1d734ab4b04f92286fdef0c96e3a62e0efe49c39..3f49ddc427a079b49ea65950f0c34a4926d5479b 100644 --- a/interface/web/dns/lib/lang/it_dns_import.lng +++ b/interface/web/dns/lib/lang/it_dns_import.lng @@ -5,21 +5,21 @@ $wb['btn_save_txt'] = 'Importa file di zona'; $wb['btn_cancel_txt'] = 'Annulla'; $wb['domain_txt'] = 'Dominio'; $wb['zone_file_successfully_imported_txt'] = 'File di zona importato con successo!'; -$wb['error_no_valid_zone_file_txt'] = 'Fil di zona non corretto!'; +$wb['error_no_valid_zone_file_txt'] = 'File di zona non corretto!'; $wb['zonefile_to_import_txt'] = 'File di Zona'; $wb['domain_field_desc_txt'] = 'Può essere tralasciato se il dominio è nel nome del file di zona o nel contenuto del file.'; $wb['title'] = 'Importa file di zona'; $wb['no_file_uploaded_error'] = 'Nessun file di zona selezionato'; $wb['zone_file_import_txt'] = 'Importa file di zona'; -$wb['error_no_server_id'] = 'No server provided.'; -$wb['error_not_allowed_server_id'] = 'The selected server is not allowed for this account.'; -$wb['zone_already_exists'] = 'This zone already exists, you must delete or rename it first.'; -$wb['zone_not_allowed'] = 'This zone is not allowed for this account.'; -$wb['zone_file_missing_soa'] = 'The zone file must contain a SOA record.'; -$wb['zone_file_multiple_soa'] = 'The zone file cannot contain multiple SOA records.'; -$wb['zone_file_soa_parser'] = 'The SOA record in this zone file could not be processed. Ensure SERIAL, REFRESH, RETRY, EXPIRE and MINIMUM are each on a separate line from other data.'; -$wb['ignore_record_not_class_in'] = 'Ignoring DNS record, not class IN.'; -$wb['ignore_record_unknown_type'] = 'Ignoring DNS record, unknown type.'; -$wb['ignore_record_invalid_owner'] = 'Ignoring DNS record, not able to validate owner name.'; -$wb['zone_file_import_fail'] = 'The zone file did not import.'; +$wb['error_no_server_id'] = 'Nessun server indicato.'; +$wb['error_not_allowed_server_id'] = 'Il server selezionato non è consentito per il tuo profilo.'; +$wb['zone_already_exists'] = 'Questa zona esiste già devi prima cancellarla o rinominarla.'; +$wb['zone_not_allowed'] = 'Questa zona non è consentita per il tuo profilo.'; +$wb['zone_file_missing_soa'] = 'Il file di zoma deve contenere un record SOA.'; +$wb['zone_file_multiple_soa'] = 'Il file di zona non può avere più di un record SOA.'; +$wb['zone_file_soa_parser'] = 'Il record SOA di questa zona non può essere processato. Verifica che SERIAL, REFRESH, RETRY, EXPIRE and MINIMUM siano ognuno in una linea diversa da altri dati.'; +$wb['ignore_record_not_class_in'] = 'Ignoro record DNS non di tipo IN.'; +$wb['ignore_record_unknown_type'] = 'Ignoro record DNS record di tipo sconosciuto.'; +$wb['ignore_record_invalid_owner'] = 'Ignoro record DNS non essendo possibile di validare il nome del titolare.'; +$wb['zone_file_import_fail'] = 'Il file di zona non è stato importato.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_loc.lng b/interface/web/dns/lib/lang/it_dns_loc.lng index dc9ad9a00634513f03aec6da53682d2842bae7b6..3aed26d4ff9f451b2482cad5efc0f109a7a4ac21 100644 --- a/interface/web/dns/lib/lang/it_dns_loc.lng +++ b/interface/web/dns/lib/lang/it_dns_loc.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Data'; +$wb['type_txt'] = 'tipo'; +$wb['data_txt'] = 'Dati'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; +$wb['active_txt'] = 'Attivo'; $wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname is empty.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Text empty'; -$wb['data_error_regex'] = 'Text format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'Il campo hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Testo vuoto'; +$wb['data_error_regex'] = 'Formato testo non valido'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_mx.lng b/interface/web/dns/lib/lang/it_dns_mx.lng index d01ec250e15c1b78a2f4ea145f3b112f29c16787..221670a87d3dfa10501f9070fbbe6087dbcb5570 100644 --- a/interface/web/dns/lib/lang/it_dns_mx.lng +++ b/interface/web/dns/lib/lang/it_dns_mx.lng @@ -7,12 +7,12 @@ $wb['data_txt'] = 'Mailserver hostname'; $wb['aux_txt'] = 'Priorita'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Mailserver hostname empty'; -$wb['data_error_regex'] = 'Mailserver hostname format invalid'; -$wb['duplicate_mx_record_txt'] = 'Duplicate MX record.'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'Campo hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'hostname del Mailserver vuoto'; +$wb['data_error_regex'] = 'L\'hostname del Mailserver ha un formato non valido'; +$wb['duplicate_mx_record_txt'] = 'record MX Duplicato.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_naptr.lng b/interface/web/dns/lib/lang/it_dns_naptr.lng index b39373c13de1d5b288b85d4ebeef8696a09d3af6..124897d5967a3b413c75fbd28c1a0bd6294a661b 100644 --- a/interface/web/dns/lib/lang/it_dns_naptr.lng +++ b/interface/web/dns/lib/lang/it_dns_naptr.lng @@ -1,21 +1,21 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['order_txt'] = 'Order'; +$wb['order_txt'] = 'Ordine'; $wb['pref_txt'] = 'Pref'; -$wb['flags_txt'] = 'Flags'; -$wb['service_txt'] = 'Service'; +$wb['flags_txt'] = 'Bandierine'; +$wb['service_txt'] = 'Servizio'; $wb['regexp_txt'] = 'RegExp'; -$wb['replacement_txt'] = 'Replacement'; +$wb['replacement_txt'] = 'Rimpiazzo'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname is empty.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'NAPTR record is empty.'; -$wb['naptr_error_regex'] = 'Invalid NAPTR record. The NAPTR record must include Order, Pref and either Regex or Replacement.'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['record_parse_error'] = 'Could not parse the record found in database.'; +$wb['active_txt'] = 'Attivo'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il numero massimo di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non sei abilitato ad aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'il campo hostnome è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha formato errato.'; +$wb['data_error_empty'] = 'Il record NAPTR è vuoto.'; +$wb['naptr_error_regex'] = 'record NAPTR non valido. Il record NAPTR deve includere Ordine, Pref e o Regex oppure Rimpiazzo.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; +$wb['record_parse_error'] = 'Non ho posso gestire il record trovato nel database.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_ns.lng b/interface/web/dns/lib/lang/it_dns_ns.lng index 4ee8be59c81a2007e78d2467fa59e29c7a53de29..03f22816959e9e1908a9834fece4b19588a8b51c 100644 --- a/interface/web/dns/lib/lang/it_dns_ns.lng +++ b/interface/web/dns/lib/lang/it_dns_ns.lng @@ -6,11 +6,11 @@ $wb['type_txt'] = 'type'; $wb['data_txt'] = 'Hostname'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'Numero massimo record DNS raggiunto per il tuo account.'; +$wb['limit_dns_record_txt'] = 'Numero massimo record DNS raggiunto per il tuo profilo.'; $wb['no_zone_perm'] = 'Non hai i permessi per aggiungere record a questa zona DNS.'; $wb['name_error_empty'] = 'Zona vuota.'; $wb['name_error_regex'] = 'La zona ha un formato errato.'; $wb['data_error_empty'] = 'Nameserver vuoto'; $wb['data_error_regex'] = 'Formato nameserver non valido'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_ptr.lng b/interface/web/dns/lib/lang/it_dns_ptr.lng index 0da6da4366032a69dab54da46cf416511b93890c..ea301501165be7e89b40d4b403584e8852096d2e 100644 --- a/interface/web/dns/lib/lang/it_dns_ptr.lng +++ b/interface/web/dns/lib/lang/it_dns_ptr.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zonae'; $wb['name_txt'] = 'Nome'; $wb['type_txt'] = 'tipo'; -$wb['data_txt'] = 'Canonical Hostname'; +$wb['data_txt'] = 'Hostname Canonico'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The name vuoto.'; -$wb['name_error_regex'] = 'The name has the wrong format.'; -$wb['data_error_empty'] = 'Canonical hostname empty'; -$wb['data_error_regex'] = 'Canonical hostname format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['limit_dns_record_txt'] = 'il massimo numero of DNS records raggiunto per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non sei abilitato ad aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'Il nome è vuoto.'; +$wb['name_error_regex'] = 'Il nome non è corretto.'; +$wb['data_error_empty'] = 'hostname Canonico è vuoto'; +$wb['data_error_regex'] = 'hostname Canonico non valido'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_rp.lng b/interface/web/dns/lib/lang/it_dns_rp.lng index 691177bfe5783f3a74ff4823295fd6fe90f50964..fdeb758d54dd1a2fb90956790edc981dad6132b5 100644 --- a/interface/web/dns/lib/lang/it_dns_rp.lng +++ b/interface/web/dns/lib/lang/it_dns_rp.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; $wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Responsible Person'; +$wb['data_txt'] = 'Responsabile'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Responsible person field empty'; -$wb['data_error_regex'] = 'Responsible person field format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il numero massimo di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'L\'hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Campo Responsabile vuoto'; +$wb['data_error_regex'] = 'Campo Responsabile con formato errato'; +$wb['ttl_range_error'] = 'Min. TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_slave.lng b/interface/web/dns/lib/lang/it_dns_slave.lng index beae2824e47a1e280ae4a1dbe23cfb20607d547f..dd6ef101d9a2cd0bca7cdea6f6aec2e38c0eb3df 100644 --- a/interface/web/dns/lib/lang/it_dns_slave.lng +++ b/interface/web/dns/lib/lang/it_dns_slave.lng @@ -1,17 +1,17 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['origin_txt'] = 'DNS Zone'; +$wb['origin_txt'] = 'Zona DNS'; $wb['ns_txt'] = 'NS'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_slave_zone_txt'] = 'The max. number of Secondary DNS zones raggiunto per il tuo account.'; +$wb['limit_dns_slave_zone_txt'] = 'Hai raggiunto il numero massimo di zone DNS secondarie per il tuo profilo.'; $wb['client_txt'] = 'Cliente'; -$wb['xfer_txt'] = 'Allow zone transfers to <br />these IPs (comma separated list)'; -$wb['server_id_error_empty'] = 'No server selected'; -$wb['origin_error_empty'] = 'Zone vuoto.'; -$wb['origin_error_unique'] = 'There is already a record for this zone.'; -$wb['origin_error_regex'] = 'Zone has a invalid format.'; -$wb['ns_error_regex'] = 'NS has a invalid format.'; -$wb['eg_domain_tld'] = 'e.g. domain.tld.'; -$wb['ipv4_form_txt'] = 'Separate multiple IPs with commas'; -$wb['secondary_zone_txt'] = 'Secondary DNS Zone'; +$wb['xfer_txt'] = 'Consenti il trasferimento di zona a <br />questi IP (lista indirizzi separati da virgola)'; +$wb['server_id_error_empty'] = 'Nessun server selezionato'; +$wb['origin_error_empty'] = 'Zona vuoto.'; +$wb['origin_error_unique'] = 'Esiste già un record per questa zona.'; +$wb['origin_error_regex'] = 'Zona ha un formato non valido.'; +$wb['ns_error_regex'] = 'NS ha un formato non valido.'; +$wb['eg_domain_tld'] = 'esempio: domain.tld.'; +$wb['ipv4_form_txt'] = 'Separare più indirizzi IP con virgola'; +$wb['secondary_zone_txt'] = 'Zona DNS Secondaria'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_slave_admin_list.lng b/interface/web/dns/lib/lang/it_dns_slave_admin_list.lng index 726f14ffd3644fd628f8ead8529cbdd1919930b8..83658334025b2481f8c97769c89be09f0b20e682 100644 --- a/interface/web/dns/lib/lang/it_dns_slave_admin_list.lng +++ b/interface/web/dns/lib/lang/it_dns_slave_admin_list.lng @@ -1,10 +1,10 @@ <?php -$wb['list_head_txt'] = 'Secondary DNS-Zones'; +$wb['list_head_txt'] = 'DNS-Zona Secondaria'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['origin_txt'] = 'Zone'; $wb['ns_txt'] = 'NS'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Secondary DNS-Zone'; -$wb['eg_domain_tld'] = 'e.g. domain.tld.'; +$wb['add_new_record_txt'] = 'Aggiungi una nuova DNS-Zona secondaria'; +$wb['eg_domain_tld'] = 'esempio: domain.tld.'; $wb['sys_groupid_txt'] = 'Cliente'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_slave_list.lng b/interface/web/dns/lib/lang/it_dns_slave_list.lng index 3ab1a1de9d48170eebcb01f86333d5faedc0ed52..2edbc37e2e0ce824596033ca5c005491775dfe20 100644 --- a/interface/web/dns/lib/lang/it_dns_slave_list.lng +++ b/interface/web/dns/lib/lang/it_dns_slave_list.lng @@ -5,5 +5,5 @@ $wb['server_id_txt'] = 'Server'; $wb['origin_txt'] = 'Zona'; $wb['ns_txt'] = 'NS'; $wb['add_new_record_txt'] = 'Aggiungi una nuova zona DNS Secondaria'; -$wb['eg_domain_tld'] = 'e.g. domain.tld.'; +$wb['eg_domain_tld'] = 'esempio: domain.tld.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_soa.lng b/interface/web/dns/lib/lang/it_dns_soa.lng index 56dfd03daac943c9ec5f360da979e0b3d6889c32..41c900e3988f7fed3755cb6273f0547fe7188faf 100644 --- a/interface/web/dns/lib/lang/it_dns_soa.lng +++ b/interface/web/dns/lib/lang/it_dns_soa.lng @@ -4,16 +4,16 @@ $wb['origin_txt'] = 'Zona (SOA)'; $wb['ns_txt'] = 'NS'; $wb['mbox_txt'] = 'Email'; $wb['serial_txt'] = 'Seriale'; -$wb['refresh_txt'] = 'Refresh'; -$wb['retry_txt'] = 'Retry'; -$wb['expire_txt'] = 'Expire'; -$wb['minimum_txt'] = 'Minimum (negative cache ttl)'; +$wb['refresh_txt'] = 'Aggiornamento'; +$wb['retry_txt'] = 'Ritenta'; +$wb['expire_txt'] = 'Scade'; +$wb['minimum_txt'] = 'Minimo (cache ttl negativa)'; $wb['ttl_txt'] = 'TTL'; $wb['xfer_txt'] = 'Consenti trasferimento zone a <br />questi IP (elenco separato da virgola)'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_zone_txt'] = 'Numero massimo zone DNS raggiunto per il tuo account.'; +$wb['limit_dns_zone_txt'] = 'Numero massimo zone DNS raggiunto per il tuo profilo.'; $wb['client_txt'] = 'Cliente'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record DNZ a questa zona.'; $wb['server_id_error_empty'] = 'Nessun server selezionato!'; $wb['origin_error_empty'] = 'Zona vuoto.'; $wb['origin_error_unique'] = 'Esiste già un record per questa zona.'; @@ -21,27 +21,27 @@ $wb['origin_error_regex'] = 'La zona ha un formato errato.'; $wb['ns_error_regex'] = 'NS ha un formato errato.'; $wb['mbox_error_empty'] = 'Email vuoto.'; $wb['mbox_error_regex'] = 'Email formato errato.'; -$wb['also_notify_txt'] = 'Also Notify'; -$wb['update_acl_txt'] = 'Aggiorna ACL'; +$wb['also_notify_txt'] = 'Notifica anche'; +$wb['update_acl_txt'] = 'Aggiorna ACL'; $wb['also_notify_error_regex'] = 'Per favore utilizza un indirizzo IP.'; $wb['seconds_txt'] = 'Secondi'; -$wb['eg_domain_tld'] = 'e.g. domain.tld'; -$wb['eg_ns1_domain_tld'] = 'e.g. ns1.domain.tld'; -$wb['eg_webmaster_domain_tld'] = 'e.g. webmaster@domain.tld'; -$wb['The Domain can not be changed. Please ask your Administrator if you want to change the domain name.'] = 'Il dominio non può essere modificato. Per cortesia contatta l'; -$wb['refresh_range_error'] = 'Min. Refresh time di 60 secondi.'; -$wb['retry_range_error'] = 'Min. Retry time di 60 secondi.'; -$wb['expire_range_error'] = 'Min. Expire time di 60 secondi.'; -$wb['minimum_range_error'] = 'Min. Minimum time di 60 secondi.'; -$wb['ttl_range_error'] = 'Min. TTL time di 60 secondi.'; -$wb['xfer_error_regex'] = 'Also notify: Per cortesia utilizzare un indirizzo IP.'; +$wb['eg_domain_tld'] = 'esempio: domain.tld'; +$wb['eg_ns1_domain_tld'] = 'esempio: ns1.domain.tld'; +$wb['eg_webmaster_domain_tld'] = 'esempio: webmaster@domain.tld'; +$wb['The Domain can not be changed. Please ask your Administrator if you want to change the domain name.'] = 'Il dominio non può essere modificato. Per cortesia contatta l\'amministratore se vuoi cambiare il nome di dominio.'; +$wb['refresh_range_error'] = 'Minimo intevallo di aggiornamento di 60 secondi.'; +$wb['retry_range_error'] = 'Minimo intervallo di riprova di 60 secondi.'; +$wb['expire_range_error'] = 'Minimo tempo di scadenza di 60 secondi.'; +$wb['minimum_range_error'] = 'Minimo tempo di 60 secondi.'; +$wb['ttl_range_error'] = 'Min. TTL di 60 secondi.'; +$wb['xfer_error_regex'] = 'Notifica anche: Per cortesia utilizzare un indirizzo IP.'; $wb['dnssec_info_txt'] = 'DNSSEC DS-Data for registry'; -$wb['dnssec_wanted_txt'] = 'Sign zone (DNSSEC)'; -$wb['dnssec_wanted_info'] = 'When disabling DNSSEC keys are not going to be deleted if DNSSEC was enabled before and keys already have been generated but the zone will no longer be delivered in signed format afterwards. If you use PowerDNS, keys WILL be deleted!'; -$wb['error_not_allowed_server_id'] = 'The selected server is not allowed for this account.'; -$wb['soa_cannot_be_changed_txt'] = 'Die Zone (SOA) kann nicht verändert werden. Bitte kontaktieren Sie ihren Administrator, um die Zone zu ändern.'; -$wb['configuration_error_txt'] = 'CONFIGURATION ERROR'; -$wb['dnssec_algo_txt'] = 'DNSSEC Algorithm'; +$wb['dnssec_wanted_txt'] = 'Firma la zona (DNSSEC)'; +$wb['dnssec_wanted_info'] = 'Quando viene disabilitata la DNSSEC le chiavi non vengono cancellate se erano già state generate ma la zona sarà distribuita in formato non firmato. Se si usa PowerDNS le chiavi verranno cancellate!'; +$wb['error_not_allowed_server_id'] = 'Il server selezionato non è abilitato per il tuo profilo.'; +$wb['soa_cannot_be_changed_txt'] = 'La zona SOA non può essere modificata. Contatta l\'Amministratore se hai necessità di fare la modifica.'; +$wb['configuration_error_txt'] = 'ERRORE DI CONFIGURATIONE'; +$wb['dnssec_algo_txt'] = 'Algoritmo DNSSEC'; $wb['rendered_zone_txt'] = 'Bind zone format for reference and export.'; $wb['rendered_zone_unavailable_txt'] = 'Sorry, no data is available yet.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_soa_admin_list.lng b/interface/web/dns/lib/lang/it_dns_soa_admin_list.lng index a7cce01001635072dd68f5d074fd4b22d1f1381d..22ecde574e06efe80d97a639b7ac8a234d938122 100644 --- a/interface/web/dns/lib/lang/it_dns_soa_admin_list.lng +++ b/interface/web/dns/lib/lang/it_dns_soa_admin_list.lng @@ -1,12 +1,12 @@ <?php -$wb['list_head_txt'] = 'DNS-Zones'; +$wb['list_head_txt'] = 'Zone DNS'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['origin_txt'] = 'Zone'; +$wb['origin_txt'] = 'Zona'; $wb['ns_txt'] = 'NS'; $wb['mbox_txt'] = 'Email'; -$wb['add_new_record_wizard_txt'] = 'Aggiungi un nuovo DNS Zone with Wizard'; +$wb['add_new_record_wizard_txt'] = 'Aggiungi una nuova Zona DNS con la procedura guidata'; $wb['add_new_record_txt'] = 'Aggiungi un nuovo DNS Zone manually'; -$wb['import_zone_file_txt'] = 'Import Zone File'; +$wb['import_zone_file_txt'] = 'Importa file di Zona'; $wb['sys_groupid_txt'] = 'Cliente'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_soa_list.lng b/interface/web/dns/lib/lang/it_dns_soa_list.lng index 0e5ea645697fbf5ec9f996cc98884a82e6d1cc01..713e0149f6879789bcd83bf6044eb6551dca9393 100644 --- a/interface/web/dns/lib/lang/it_dns_soa_list.lng +++ b/interface/web/dns/lib/lang/it_dns_soa_list.lng @@ -1,11 +1,11 @@ <?php -$wb['list_head_txt'] = 'DNS Zones'; +$wb['list_head_txt'] = 'Zona DNS'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['origin_txt'] = 'Zone'; +$wb['origin_txt'] = 'Zona'; $wb['ns_txt'] = 'NS'; $wb['mbox_txt'] = 'Email'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo DNS Zone (SOA)'; -$wb['add_new_record_wizard_txt'] = 'Aggiungi un nuova nuova Zona DNS con il configuratore automatico'; -$wb['import_zone_file_txt'] = 'Import Zone File'; +$wb['add_new_record_txt'] = 'Aggiungi una nuova Zona DNS (SOA)'; +$wb['add_new_record_wizard_txt'] = 'Aggiungi un nuova nuova Zona DNS con la procedura guidata'; +$wb['import_zone_file_txt'] = 'Importa file di Zona'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_spf.lng b/interface/web/dns/lib/lang/it_dns_spf.lng index 0cbf77862f6619ad477913cefb5c4b5e248ddae6..3c707f0013aa007632cf69547a179280fbd077d7 100644 --- a/interface/web/dns/lib/lang/it_dns_spf.lng +++ b/interface/web/dns/lib/lang/it_dns_spf.lng @@ -1,30 +1,30 @@ <?php $wb['data_txt'] = 'SPF-Record'; $wb['name_txt'] = 'Hostname'; -$wb['spf_mechanism_txt'] = 'SPF Mechanism'; -$wb['spf_mechanism_pass_txt'] = 'Pass - allow mail from other senders'; -$wb['spf_mechanism_fail_txt'] = 'Fail - reject mail from other senders'; -$wb['spf_mechanism_softfail_txt'] = 'SoftFail - allow mail from other senders but mark the email'; -$wb['spf_mechanism_neutral_txt'] = 'Neutral - do nothing'; -$wb['spf_mx_txt'] = 'Allow servers listed as MX to send email for this domain'; -$wb['spf_a_txt'] = 'Allow current IP address of the domain to send email for this domain'; -$wb['spf_ip_txt'] = 'Additional IP addresses in CIDR format that deliver or relay mail for this domain'; -$wb['spf_ip_note_txt'] = '(Sepearate IPs with whitespaces)'; -$wb['spf_invalid_ip_txt'] = 'Invalid IP-address'; -$wb['spf_hostname_txt'] = 'Any other server hostname that may deliver or relay mail for this domain'; -$wb['spf_hostname_note_txt'] = '(Sepearate hostnames with whitespaces)'; -$wb['spf_invalid_hostname_txt'] = 'Invalid hostname'; -$wb['spf_domain_txt'] = 'Any domains that may deliver or relay mail for this domain'; -$wb['spf_domain_note_txt'] = '(Sepearate domains with whitespaces)'; -$wb['spf_invalid_domain_txt'] = 'Invalid domainname'; +$wb['spf_mechanism_txt'] = 'Meccanismo SPF'; +$wb['spf_mechanism_pass_txt'] = 'Superato - consente mail dai mittenti'; +$wb['spf_mechanism_fail_txt'] = 'Fallito - rifiuta mail dai mittenti'; +$wb['spf_mechanism_softfail_txt'] = 'Intermedio - consente mail da altri mittenti ma contrassegna la mail'; +$wb['spf_mechanism_neutral_txt'] = 'Neutrale - nessuna azione'; +$wb['spf_mx_txt'] = 'Consenti ai server elencati come MX di inviare email per questo dominio'; +$wb['spf_a_txt'] = 'Consenti all\'indirizzo IP del dominio di inviare email per questo dominio'; +$wb['spf_ip_txt'] = 'Indirizzi IP aggiuntivi in formato CIDR che consegnano o rilanciano mail per questo dominio'; +$wb['spf_ip_note_txt'] = '(Sepearare gli indirizzi IP con spazi)'; +$wb['spf_invalid_ip_txt'] = 'Indirizzo IP non corretto'; +$wb['spf_hostname_txt'] = 'Qualunque nome server che può consegnare posta o rilanciare posta per questo dominio.'; +$wb['spf_hostname_note_txt'] = '(Sepearare i nomi con spazi)'; +$wb['spf_invalid_hostname_txt'] = 'nome host non valido'; +$wb['spf_domain_txt'] = 'Qualunque dominio che può consegnare o rilanciare posta per questo dominio'; +$wb['spf_domain_note_txt'] = '(Sepearare i domini con spazi)'; +$wb['spf_invalid_domain_txt'] = 'Nome dominio non valido'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['record_exists_txt'] = 'DNS-Record already exists'; -$wb['spf_record_exists_txt'] = 'SPF-Record already exists for hostname "{hostname}". Do you want to <a href="#" data-load-content="dns/dns_spf_edit.php?id={existing_record_id}">edit the existing record</a>?'; -$wb['spf_record_exists_multiple_txt'] = 'Multiple SPF-Records exist for hostname "{hostname}". This will cause recipients to reject your mail! Delete or merge duplicate existing records and try again.'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['btn_edit_as_txt_record_txt'] = 'Edit as TXT record'; +$wb['active_txt'] = 'Attivo'; +$wb['record_exists_txt'] = 'DNS-Record esite già '; +$wb['spf_record_exists_txt'] = 'SPF-Record esiste già per il nome host "{hostname}". Vuoi <a href="#" data-load-content="dns/dns_spf_edit.php?id={existing_record_id}">modificare il record esistente</a>?'; +$wb['spf_record_exists_multiple_txt'] = 'Sono presenti più record SPF per il nome host "{hostname}". Questo causerà il rifiuto delle mail da parte dei destinatari. Cancella o unisci i doppioni esistenti e prova di nuovo.'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondsi'; +$wb['name_error_regex'] = 'Il nome host ha un formato errato.'; +$wb['btn_edit_as_txt_record_txt'] = 'Modifica come record TXT'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_srv.lng b/interface/web/dns/lib/lang/it_dns_srv.lng index 6d77d66e7f9e00341e40b65c2fd5f1278af28be8..33790bbad12386689a3c2e9f26c8c21596266e11 100644 --- a/interface/web/dns/lib/lang/it_dns_srv.lng +++ b/interface/web/dns/lib/lang/it_dns_srv.lng @@ -3,18 +3,18 @@ $wb['server_id_txt'] = 'Server'; $wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Nome Host'; $wb['type_txt'] = 'tipo'; -$wb['target_txt'] = 'Target'; -$wb['weight_txt'] = 'Weight'; -$wb['port_txt'] = 'Port'; +$wb['target_txt'] = 'Obiettivo'; +$wb['weight_txt'] = 'Peso'; +$wb['port_txt'] = 'Porta'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'Limite massimo record DNS raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'Nome Host vuoto.'; +$wb['limit_dns_record_txt'] = 'Limite massimo record DNS raggiunto per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere un record a questa zona DNS.'; +$wb['name_error_empty'] = 'Nome Host vuoto.'; $wb['name_error_regex'] = 'Nome Host formato errato.'; -$wb['data_error_empty'] = 'Server record empty'; -$wb['data_error_regex'] = 'Server record format invalid'; -$wb['srv_error_regex'] = 'Invalid server record format. The server record must contain 3 text strings separated by spaces.'; +$wb['data_error_empty'] = 'Server record vuoto'; +$wb['data_error_regex'] = 'Server record formato non valido'; +$wb['srv_error_regex'] = 'Formato Record del server non valido. Il record del server deve contenre 3 stringhe di testo separate da spazio.'; $wb['aux_txt'] = 'Priorita'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_sshfp.lng b/interface/web/dns/lib/lang/it_dns_sshfp.lng index dc9ad9a00634513f03aec6da53682d2842bae7b6..e592105311f7c1e92cf061c5647d38648a088e94 100644 --- a/interface/web/dns/lib/lang/it_dns_sshfp.lng +++ b/interface/web/dns/lib/lang/it_dns_sshfp.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Data'; +$wb['type_txt'] = 'tipo'; +$wb['data_txt'] = 'Dati'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname is empty.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Text empty'; -$wb['data_error_regex'] = 'Text format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['active_txt'] = 'Attiva'; +$wb['limit_dns_record_txt'] = 'Numero massimo record DNS raggiunto per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai i permessi per aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'L\'hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato.'; +$wb['data_error_empty'] = 'Testo vuoto'; +$wb['data_error_regex'] = 'Formato testo non valido'; +$wb['ttl_range_error'] = 'Minimo TTL 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_template.lng b/interface/web/dns/lib/lang/it_dns_template.lng index ee07983b288f7c321f2db10efeb68428e294715d..6abf3801dc28da21f16cc411ff67baeaa99405f7 100644 --- a/interface/web/dns/lib/lang/it_dns_template.lng +++ b/interface/web/dns/lib/lang/it_dns_template.lng @@ -1,7 +1,7 @@ <?php $wb['name_txt'] = 'Nome'; -$wb['fields_txt'] = 'Fields'; -$wb['template_txt'] = 'Template'; -$wb['visible_txt'] = 'Visible'; -$wb['placeholder_txt'] = 'Placeholder'; +$wb['fields_txt'] = 'Campi'; +$wb['template_txt'] = 'Modello'; +$wb['visible_txt'] = 'Visibile'; +$wb['placeholder_txt'] = 'Segnaposto'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_template_list.lng b/interface/web/dns/lib/lang/it_dns_template_list.lng index 0d316c562946e0263310ac35f5fba92051e1fd2d..f68205327a75df8a778ead692913fe1cfbdf9cdc 100644 --- a/interface/web/dns/lib/lang/it_dns_template_list.lng +++ b/interface/web/dns/lib/lang/it_dns_template_list.lng @@ -1,6 +1,6 @@ <?php -$wb['list_head_txt'] = 'DNS Wizard Modello'; +$wb['list_head_txt'] = 'Procedura guidata Modello DNS'; $wb['visible_txt'] = 'Visibile'; $wb['name_txt'] = 'Nome'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo record'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo record'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_tlsa.lng b/interface/web/dns/lib/lang/it_dns_tlsa.lng index 3b87e2ad5987236e2159ce12b7494c89d15a6250..762235dc394ed8aac20bb9a77cad894982eba2b3 100644 --- a/interface/web/dns/lib/lang/it_dns_tlsa.lng +++ b/interface/web/dns/lib/lang/it_dns_tlsa.lng @@ -1,16 +1,16 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; -$wb['name_txt'] = 'Service-Descriptor'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'TLSA-Data'; +$wb['zone_txt'] = 'Zona'; +$wb['name_txt'] = 'Descrizione-Servizio'; +$wb['type_txt'] = 'Tipo'; +$wb['data_txt'] = 'Dati TLSA'; $wb['ttl_txt'] = 'TTL'; -$wb['active_txt'] = 'Active'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records for your account is reached.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname is empty.'; -$wb['name_error_regex'] = 'The hostname has the wrong format. Correct: _<port>._(tcp|udp).<hostname>'; -$wb['data_error_empty'] = 'TLSA-Data empty'; -$wb['data_error_regex'] = 'TLSA dataformat is wrong. Correct: n n n HASH'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; +$wb['active_txt'] = 'Attivo'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'Il campo hostname è vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato errato. Corretto: _<port>._(tcp|udp).<hostname>'; +$wb['data_error_empty'] = 'Dati TLSA vuoto'; +$wb['data_error_regex'] = 'Formato dati TLSA scorretto. Corretto: n n n HASH'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_txt.lng b/interface/web/dns/lib/lang/it_dns_txt.lng index de49712afdfd550ee9bab76c785ff29453c8c6c2..5b184ed262488698c342d5756b367d4e6e5af129 100644 --- a/interface/web/dns/lib/lang/it_dns_txt.lng +++ b/interface/web/dns/lib/lang/it_dns_txt.lng @@ -1,19 +1,19 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['zone_txt'] = 'Zone'; +$wb['zone_txt'] = 'Zona'; $wb['name_txt'] = 'Hostname'; -$wb['type_txt'] = 'type'; -$wb['data_txt'] = 'Text'; +$wb['type_txt'] = 'tipo'; +$wb['data_txt'] = 'Testo'; $wb['ttl_txt'] = 'TTL'; $wb['active_txt'] = 'Attivo'; -$wb['limit_dns_record_txt'] = 'The max. number of DNS records raggiunto per il tuo account.'; -$wb['no_zone_perm'] = 'You do not have the permission to add a record to this DNS zone.'; -$wb['name_error_empty'] = 'The hostname vuoto.'; -$wb['name_error_regex'] = 'The hostname has the wrong format.'; -$wb['data_error_empty'] = 'Text empty'; -$wb['data_error_regex'] = 'Text format invalid'; -$wb['ttl_range_error'] = 'Min. TTL time is 60 seconds.'; -$wb['invalid_type_dkim'] = 'DKIM is not allowed. Use the DKIM button'; +$wb['limit_dns_record_txt'] = 'Hai raggiunto il massimo numero di record DNS per il tuo profilo.'; +$wb['no_zone_perm'] = 'Non hai il permesso di aggiungere record a questa zona DNS.'; +$wb['name_error_empty'] = 'Campo hostname vuoto.'; +$wb['name_error_regex'] = 'L\'hostname ha un formato non valido.'; +$wb['data_error_empty'] = 'Testo vuoto'; +$wb['data_error_regex'] = 'Formato testo non valido'; +$wb['ttl_range_error'] = 'Minimo TTL è 60 secondi.'; +$wb['invalid_type_dkim'] = 'DKIM non consentito. Usare il tasto DKIM'; $wb['invalid_type_dmarc'] = 'DMARC is not allowed. Use the DMARC button'; -$wb['invalid_type_spf'] = 'SPF is not allowed. Use the SPF button.'; +$wb['invalid_type_spf'] = 'SPF non è consentito. Usare il tasto SPF.'; ?> diff --git a/interface/web/dns/lib/lang/it_dns_wizard.lng b/interface/web/dns/lib/lang/it_dns_wizard.lng index 4174b0c5c47727008687ac11da564285c091c2b0..4ea81375ec05725805c9e64239160a0eab0e8a92 100644 --- a/interface/web/dns/lib/lang/it_dns_wizard.lng +++ b/interface/web/dns/lib/lang/it_dns_wizard.lng @@ -12,10 +12,10 @@ $wb['ip_txt'] = 'Indirizzo IP'; $wb['error_origin_empty'] = 'Origine vuoto.'; $wb['error_ns_empty'] = 'NS vuoto.'; $wb['error_mbox_empty'] = 'Casella Mail vuoto.'; -$wb['error_refresh_empty'] = 'Refresh vuoto.'; -$wb['error_retry_empty'] = 'Retry vuoto.'; -$wb['error_expire_empty'] = 'Expire vuoto.'; -$wb['error_minimum_empty'] = 'Minimum vuoto.'; +$wb['error_refresh_empty'] = 'Aggiorna vuoto.'; +$wb['error_retry_empty'] = 'Riprova vuoto.'; +$wb['error_expire_empty'] = 'Scade vuoto.'; +$wb['error_minimum_empty'] = 'Minimo vuoto.'; $wb['error_ttl_empty'] = 'TTL vuoto.'; $wb['error_domain_empty'] = 'Dominio vuoto'; $wb['error_ip_empty'] = 'IP vuoto.'; @@ -25,21 +25,21 @@ $wb['error_email_empty'] = 'EMail vuoto.'; $wb['error_domain_regex'] = 'Dominio contiene caratteri non validi.'; $wb['error_ns1_regex'] = 'NS1 contiene caratteri non validi.'; $wb['error_ns2_regex'] = 'NS2 contiene caratteri non validi.'; -$wb['error_email_regex'] = 'Email does not contain a valid email address.'; -$wb['dns_zone_txt'] = 'DNS Zone'; +$wb['error_email_regex'] = 'Email non contiene un indirizzo mail valido.'; +$wb['dns_zone_txt'] = 'Zona DNS'; $wb['globalsearch_resultslimit_of_txt'] = 'di'; $wb['globalsearch_resultslimit_results_txt'] = 'risultati'; $wb['globalsearch_noresults_text_txt'] = 'Nessun risultato.'; $wb['globalsearch_noresults_limit_txt'] = '0 risultati'; $wb['globalsearch_searchfield_watermark_txt'] = 'Cerca'; $wb['globalsearch_suggestions_text_txt'] = 'Suggerimenti'; -$wb['list_head_txt'] = 'Wizard Zone DNS'; +$wb['list_head_txt'] = 'Procedura guidata Zona DNS'; $wb['list_desc_txt'] = 'Crea una zona DNS con un configuratore automatico'; -$wb['dkim_txt'] = 'DKIM enabled'; -$wb['ipv6_txt'] = 'IPv6 Address'; -$wb['error_ipv6_empty'] = 'IPv6 empty.'; -$wb['error_no_server_id'] = 'No server provided.'; -$wb['error_not_allowed_server_id'] = 'The selected server is not allowed for this account.'; -$wb['dnssec_txt'] = 'Sign zone (DNSSEC)'; -$wb['limit_dns_zone_txt'] = 'The max. number of DNS zones for your account is reached.'; +$wb['dkim_txt'] = 'DKIM Abilitato'; +$wb['ipv6_txt'] = 'Indirizzo IPv6'; +$wb['error_ipv6_empty'] = 'IPv6 vuoto.'; +$wb['error_no_server_id'] = 'Nessun server indicato.'; +$wb['error_not_allowed_server_id'] = 'Il server selezionato non è abilitato per il tuo profilo.'; +$wb['dnssec_txt'] = 'Firma zona (DNSSEC)'; +$wb['limit_dns_zone_txt'] = 'Hai raggiunto il massimo numero di zone DNS per il tuo profilo.'; ?> diff --git a/interface/web/help/lib/lang/it_faq_manage_questions_list.lng b/interface/web/help/lib/lang/it_faq_manage_questions_list.lng index 857a9d20a4859c07a7c1c68cbe76116c5cf1831e..d5a66daac3c17766d8fd53d41a5910cf3f8c3a0f 100644 --- a/interface/web/help/lib/lang/it_faq_manage_questions_list.lng +++ b/interface/web/help/lib/lang/it_faq_manage_questions_list.lng @@ -5,5 +5,5 @@ $wb['faq_delete_txt'] = 'Elimina'; $wb['faq_edit_txt'] = 'Modifica'; $wb['faq_sections_txt'] = 'Sezione'; $wb['faq_faq_questions_txt'] = 'Domande frequenti'; -$wb['faq_new_question_txt'] = 'Aggiungi nuova domanda & rispondi'; +$wb['faq_new_question_txt'] = 'Aggiungi nuova domanda & risposta'; ?> diff --git a/interface/web/help/lib/lang/it_support_message.lng b/interface/web/help/lib/lang/it_support_message.lng index 60999758fb361a8db894993166acd900301640ac..1525512490f1519fc4149a489b0eca20c52dabed 100644 --- a/interface/web/help/lib/lang/it_support_message.lng +++ b/interface/web/help/lib/lang/it_support_message.lng @@ -3,7 +3,7 @@ $wb['recipient_id_txt'] = 'ID del Destinatario'; $wb['sender_id_txt'] = 'ID del Mittente'; $wb['subject_txt'] = 'Oggetto'; $wb['message_txt'] = 'Messaggio'; -$wb['tstamp_txt'] = 'Timestamp'; +$wb['tstamp_txt'] = 'Data'; $wb['reply_txt'] = 'Rispondi'; $wb['date_txt'] = 'Data'; $wb['support_request_subject_txt'] = 'Richiesta supporto'; diff --git a/interface/web/help/lib/lang/it_support_message_list.lng b/interface/web/help/lib/lang/it_support_message_list.lng index 1416474627e3c26880d85510c7da9f4fd77f84b5..814618e819cc0fadc5bf8b3234802871dc7b1884 100644 --- a/interface/web/help/lib/lang/it_support_message_list.lng +++ b/interface/web/help/lib/lang/it_support_message_list.lng @@ -3,5 +3,5 @@ $wb['list_head_txt'] = 'Messaggi di supporto'; $wb['sender_id_txt'] = 'Mittente'; $wb['subject_txt'] = 'Oggetto'; $wb['add_new_record_txt'] = 'Crea nuovo messaggio di supporto'; -$wb['date_txt'] = 'Date'; +$wb['date_txt'] = 'Data'; ?> diff --git a/interface/web/mail/lib/lang/it_backup_stats_list.lng b/interface/web/mail/lib/lang/it_backup_stats_list.lng index 79cd6c9a63589ba43dd7772821c3d63f7b7a8394..027ef0d0b53566255556ae5b62708f99da9a0a98 100644 --- a/interface/web/mail/lib/lang/it_backup_stats_list.lng +++ b/interface/web/mail/lib/lang/it_backup_stats_list.lng @@ -1,9 +1,9 @@ <?php $wb['list_head_txt'] = 'Backup Stats'; -$wb['active_txt'] = 'Active'; +$wb['active_txt'] = 'Attivo'; $wb['domain_txt'] = 'Email'; -$wb['backup_count_txt'] = 'Backup count'; +$wb['backup_count_txt'] = 'Numero di Backup'; $wb['backup_server_txt'] = 'Server'; -$wb['backup_interval_txt'] = 'Interval / cnt.'; -$wb['backup_size_txt'] = 'Backupsize'; +$wb['backup_interval_txt'] = 'Intervallo / conteggio'; +$wb['backup_size_txt'] = 'Dimensione Backup'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_alias.lng b/interface/web/mail/lib/lang/it_mail_alias.lng index eab82caf51cb4afb8759015fb6cd2d2636d54bb6..6f6cbe17f94f2a04bd3773740ff0c37416532023 100644 --- a/interface/web/mail/lib/lang/it_mail_alias.lng +++ b/interface/web/mail/lib/lang/it_mail_alias.lng @@ -6,11 +6,11 @@ $wb['email_error_isemail'] = 'Indirizzo email non valido.'; $wb['email_error_unique'] = 'Indirizzo email duplicato.'; $wb['no_domain_perm'] = 'Permessi non sufficienti per questo dominio.'; $wb['destination_error_isemail'] = 'Email destinatario non valida.'; -$wb['limit_mailalias_txt'] = 'Raggiunto numero massimo di alias email per questo account.'; +$wb['limit_mailalias_txt'] = 'Raggiunto numero massimo di alias email per questo profilo.'; $wb['duplicate_mailbox_txt'] = 'Cé già una casella di posta con questo indirizzo email.'; $wb['domain_txt'] = 'Dominio'; -$wb['duplicate_email_alias_txt'] = 'This email alias does already exist.'; +$wb['duplicate_email_alias_txt'] = 'Questo alias email esiste già .'; $wb['source_txt'] = 'Alias'; -$wb['send_as_txt'] = 'Send as'; -$wb['send_as_exp'] = 'Allow target to send mail using this alias as origin'; -$wb['greylisting_txt'] = 'Enable greylisting'; +$wb['send_as_txt'] = 'Invia come'; +$wb['send_as_exp'] = 'Consenti di inviare mail come alias'; +$wb['greylisting_txt'] = 'Abilita le liste grigie'; diff --git a/interface/web/mail/lib/lang/it_mail_alias_list.lng b/interface/web/mail/lib/lang/it_mail_alias_list.lng index 0f77839b94b545843172817dbb9e510a6d99e4a0..5ccede91e59d8e6ddeeabf7e94cbb82f878cf85f 100644 --- a/interface/web/mail/lib/lang/it_mail_alias_list.lng +++ b/interface/web/mail/lib/lang/it_mail_alias_list.lng @@ -1,8 +1,8 @@ <?php $wb['list_head_txt'] = 'Email Alias'; $wb['active_txt'] = 'Attivo'; -$wb['source_txt'] = 'source'; -$wb['destination_txt'] = 'Destinazione'; +$wb['source_txt'] = 'Mittente'; +$wb['destination_txt'] = 'Destinatario'; $wb['email_txt'] = 'Email'; $wb['add_new_record_txt'] = 'Aggiungi un nuovo Email alias'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_aliasdomain.lng b/interface/web/mail/lib/lang/it_mail_aliasdomain.lng index 698582eddb699dbd40a4df95edec2b919280cc52..cad85dcfec925428f999b0fc3a2aa5084115298e 100644 --- a/interface/web/mail/lib/lang/it_mail_aliasdomain.lng +++ b/interface/web/mail/lib/lang/it_mail_aliasdomain.lng @@ -1,11 +1,11 @@ <?php -$wb['source_txt'] = 'Source'; -$wb['destination_txt'] = 'Destinazione'; +$wb['source_txt'] = 'Mittente'; +$wb['destination_txt'] = 'Destinatario'; $wb['active_txt'] = 'Attivo'; $wb['no_domain_perm'] = 'Non hai i diritti per this domain.'; -$wb['limit_mailaliasdomain_txt'] = 'The max. number of email alias domains raggiunto per il tuo account.'; -$wb['source_destination_identical_txt'] = 'Source and target Domain are the same.'; -$wb['source_error_empty'] = 'Source Domain vuoto.'; -$wb['source_error_unique'] = 'Duplicate source Domain.'; -$wb['source_error_regex'] = 'Invalid source domain name.'; +$wb['limit_mailaliasdomain_txt'] = 'Hai raggiunto il massimo numero si domini email alias per il tuo profilo.'; +$wb['source_destination_identical_txt'] = 'Il dominio mittente e il dominio destinatario sono il medesimo.'; +$wb['source_error_empty'] = 'Dominio Mittente vuoto.'; +$wb['source_error_unique'] = 'Dominio Mittente duplicato.'; +$wb['source_error_regex'] = 'Dominio Mittente non valido.'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_aliasdomain_list.lng b/interface/web/mail/lib/lang/it_mail_aliasdomain_list.lng index 176964e54acf2ac88d7f7b4fc758e8e15787d62a..cc79dc89c745d6f052597d442e7a70198c320b74 100644 --- a/interface/web/mail/lib/lang/it_mail_aliasdomain_list.lng +++ b/interface/web/mail/lib/lang/it_mail_aliasdomain_list.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'Domain alias'; +$wb['list_head_txt'] = 'Dominio alias'; $wb['active_txt'] = 'Attivo'; -$wb['source_txt'] = 'Source'; -$wb['destination_txt'] = 'Destinazione'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Domain alias'; +$wb['source_txt'] = 'Mittente'; +$wb['destination_txt'] = 'Destinatario'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Dominio alias'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_backup_list.lng b/interface/web/mail/lib/lang/it_mail_backup_list.lng index 73286a0737103be7877ad8d6c3f4aaa669042224..f92d6671ecfae22ed1ef07473946a405825ee77c 100644 --- a/interface/web/mail/lib/lang/it_mail_backup_list.lng +++ b/interface/web/mail/lib/lang/it_mail_backup_list.lng @@ -1,16 +1,16 @@ <?php -$wb['list_head_txt'] = 'Existing backups'; -$wb['date_txt'] = 'Date'; -$wb['backup_type_txt'] = 'Type'; +$wb['list_head_txt'] = 'Backups esistenti'; +$wb['date_txt'] = 'Data'; +$wb['backup_type_txt'] = 'Tipo'; $wb['filename_txt'] = 'Backup file'; -$wb['restore_backup_txt'] = 'Restore'; -$wb['restore_info_txt'] = 'Restore of the backup has been started. This action takes several minutes to be completed.'; -$wb['restore_confirm_txt'] = 'Restoring may overwrite existing files in your mailbox. Do you really want to restore this backup?'; -$wb['download_pending_txt'] = 'There is already a pending backup download job.'; -$wb['restore_pending_txt'] = 'There is already a pending backup restore job.'; -$wb['delete_backup_txt'] = 'Delete Backup'; -$wb['delete_info_txt'] = 'Delete of the backup has been started. This action takes several minutes to be completed.'; -$wb['delete_confirm_txt'] = 'Really delete this backup?'; -$wb['delete_pending_txt'] = 'There is already a pending backup delete job.'; -$wb['filesize_txt'] = 'Filesize'; +$wb['restore_backup_txt'] = 'Ripristina'; +$wb['restore_info_txt'] = 'Il ripristino del backup è iniziato. Questa operazione richiede diversi minuti per essere completata.'; +$wb['restore_confirm_txt'] = 'Il ripristino può sovrascrivere file esistenti nella tua cartella di posta. Vuoi veramente ripristinare questo backup?'; +$wb['download_pending_txt'] = 'Esiste già una operazione di scaricamento backup in corso.'; +$wb['restore_pending_txt'] = 'Esiste già una operazione di ripristino da backup in corso.'; +$wb['delete_backup_txt'] = 'Cancellare Backup'; +$wb['delete_info_txt'] = 'La cancellazione del backup è iniziata. Questa operazione richiede diversi minuti per essere completata.'; +$wb['delete_confirm_txt'] = 'Vuoi veramente cancellare questo backup?'; +$wb['delete_pending_txt'] = 'Esiste già una operazione di cancellazione backup in corso..'; +$wb['filesize_txt'] = 'Dimensione file'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_blacklist.lng b/interface/web/mail/lib/lang/it_mail_blacklist.lng index 0b4f16a7c4bd447fe87cb7e891d5c2b11b3d541c..ce87313dab6af66880106dbb6695cc87aaa421e6 100644 --- a/interface/web/mail/lib/lang/it_mail_blacklist.lng +++ b/interface/web/mail/lib/lang/it_mail_blacklist.lng @@ -1,12 +1,12 @@ <?php $wb['server_id_txt'] = 'Server'; $wb['source_txt'] = 'Blacklist Address'; -$wb['recipient_txt'] = 'Recipient'; +$wb['recipient_txt'] = 'Destinatario'; $wb['active_txt'] = 'Attivo'; -$wb['source_error_notempty'] = 'Address vuoto.'; -$wb['type_txt'] = 'Type'; -$wb['limit_mailfilter_txt'] = 'The max. number of email filters raggiunto per il tuo account.'; -$wb['limit_mail_wblist_txt'] = 'The max. number of email white / blacklist for your account is reached.'; -$wb['mail_access_unique'] = 'Blacklist Address already in use.'; -$wb['client_txt'] = 'Client'; -$wb['sender_txt'] = 'Sender'; +$wb['source_error_notempty'] = 'Indirizzo vuoto.'; +$wb['type_txt'] = 'Tipo'; +$wb['limit_mailfilter_txt'] = 'Hai raggiunto il massimo numero di filtri mail per il tuo profilo.'; +$wb['limit_mail_wblist_txt'] = 'È stato raggiunto il numero massimo di record per White- o Blacklist del tuo profilo.'; +$wb['mail_access_unique'] = 'Indirizzo di lista nera già in uso.'; +$wb['client_txt'] = 'Cliente'; +$wb['sender_txt'] = 'Mittente'; diff --git a/interface/web/mail/lib/lang/it_mail_blacklist_list.lng b/interface/web/mail/lib/lang/it_mail_blacklist_list.lng index 8840a270e42a4dd7d7f8d38588696873bd1180eb..567414c5b452a13ba645870e66b977a109cb2929 100644 --- a/interface/web/mail/lib/lang/it_mail_blacklist_list.lng +++ b/interface/web/mail/lib/lang/it_mail_blacklist_list.lng @@ -3,8 +3,8 @@ $wb['list_head_txt'] = 'Email Blacklist'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['source_txt'] = 'Blacklisted address'; -$wb['type_txt'] = 'Type'; -$wb['recipient_txt'] = 'Recipient'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Blacklist record'; -$wb['access_txt'] = 'access'; +$wb['type_txt'] = 'Tipo'; +$wb['recipient_txt'] = 'Destinatario'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Blacklist record'; +$wb['access_txt'] = 'Accsso'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_content_filter.lng b/interface/web/mail/lib/lang/it_mail_content_filter.lng index 5169e7fd632a24f0d6bc962053a0815289dded10..d2d9da5a31bbc468363dbfabeadd5dcb1e9b3cb5 100644 --- a/interface/web/mail/lib/lang/it_mail_content_filter.lng +++ b/interface/web/mail/lib/lang/it_mail_content_filter.lng @@ -3,7 +3,7 @@ $wb['server_id_txt'] = 'Server'; $wb['type_txt'] = 'Filter'; $wb['pattern_txt'] = 'Regexp. Pattern'; $wb['data_txt'] = 'Data'; -$wb['action_txt'] = 'Action'; +$wb['action_txt'] = 'Azione'; $wb['active_txt'] = 'Attivo'; $wb['pattern_error_empty'] = 'Pattern vuoto.'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_content_filter_list.lng b/interface/web/mail/lib/lang/it_mail_content_filter_list.lng index bfda794abfc5a42c11e2c2ffbd2826dd88e089d1..fa9de14b13d365d55892859fc766526b856e7ad8 100644 --- a/interface/web/mail/lib/lang/it_mail_content_filter_list.lng +++ b/interface/web/mail/lib/lang/it_mail_content_filter_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'Postfix Header and Body Checks'; +$wb['list_head_txt'] = 'Verifica Intestazione e contenuto Postfix'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['pattern_txt'] = 'Pattern'; $wb['action_txt'] = 'Action'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Content Filter'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Content Filter'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_domain.lng b/interface/web/mail/lib/lang/it_mail_domain.lng index 88e2c146df0a0c5e15cd28432635c65edc9b20b7..13af4beb97034dcd5c97a0da15e23613109b11ec 100644 --- a/interface/web/mail/lib/lang/it_mail_domain.lng +++ b/interface/web/mail/lib/lang/it_mail_domain.lng @@ -6,20 +6,21 @@ $wb['active_txt'] = 'Attivo'; $wb['domain_error_empty'] = 'Dominio vuoto.'; $wb['domain_error_unique'] = 'Dominio duplicato.'; $wb['domain_error_regex'] = 'Nome dominio non valido.'; -$wb['client_txt'] = 'Cleient'; -$wb['limit_maildomain_txt'] = 'Raggiunto numero massimo di domini email per questo account.'; +$wb['client_txt'] = 'Cliente'; +$wb['limit_maildomain_txt'] = 'Raggiunto numero massimo di domini email per questo profilo.'; $wb['policy_txt'] = 'Filtro Spam'; $wb['no_policy'] = '- non abilitato -'; -$wb['dkim_txt'] = 'enable DKIM'; -$wb['dkim_private_txt'] = 'DKIM Private-key'; -$wb['dkim_public_txt'] = 'DKIM Public-key\nfor information only'; -$wb['dkim_generate_txt'] = 'Generate DKIM Private-key'; +$wb['dkim_txt'] = 'abilita DKIM'; +$wb['dkim_private_txt'] = 'Chiave privata DKIM'; +$wb['dkim_public_txt'] = 'Chiave pubblica DKIM solo per informazione'; +$wb['dkim_generate_txt'] = 'Genera chiave DKIM Privata'; $wb['dkim_dns_txt'] = 'DNS-Record'; -$wb['dkim_private_key_error'] = 'Invalid DKIM-Private key'; -$wb['dkim_settings_txt'] = 'DomainKeys Identified Mail (DKIM)'; -$wb['error_not_allowed_server_id'] = 'Chosen server is not allowed for this account.'; -$wb['dkim_selector_txt'] = 'DKIM-Selector'; -$wb['dkim_selector_error'] = 'Invalid DKIM-Selector. Use only lower-case alphanumeric characters (a-z or 0-9) up to 63 chars'; +$wb['dkim_private_key_error'] = 'Chave DKIM-Privata invalida'; +$wb['dkim_settings_txt'] = 'DomainKeys Identified Mail (DKIM) - Chiave di identificazione dominio mail'; +$wb['error_not_allowed_server_id'] = 'Non sei abilitato a operare su questo server'; +$wb['dkim_selector_txt'] = 'Selettore di chiave DKIM'; +$wb['dkim_selector_error'] = 'Selettore di chiave DKIM invalido. Usare solo caratteri minuscoli e cifre (a-z or 0-9) fino a max 63 caratteri.'; $wb['relayhost_txt'] = 'Relayhost'; -$wb['relayhost_user_txt'] = 'Relayhost User'; +$wb['relayhost_user_txt'] = 'Utente Relayhost'; $wb['relayhost_password_txt'] = 'Relayhost Password'; +?> diff --git a/interface/web/mail/lib/lang/it_mail_domain_catchall.lng b/interface/web/mail/lib/lang/it_mail_domain_catchall.lng index 7403fcd663c0a042eb30938606a128e3de9ad238..841a4391251d559344fe95802bba12bb041c1bc4 100644 --- a/interface/web/mail/lib/lang/it_mail_domain_catchall.lng +++ b/interface/web/mail/lib/lang/it_mail_domain_catchall.lng @@ -2,12 +2,12 @@ $wb['domain_txt'] = 'Dominio'; $wb['destination_txt'] = 'Destinazione'; $wb['active_txt'] = 'Attivo'; -$wb['domain_error_unique'] = 'There is already a Catchall record for this domain.'; -$wb['no_domain_perm'] = 'Non hai i diritti per this domain.'; -$wb['domain_error_regex'] = 'Invalid domain name od domain contiene caratteri non validi.'; -$wb['limit_mailcatchall_txt'] = 'The max. number of email catchall accounts raggiunto per il tuo account.'; -$wb['source_txt'] = 'Source'; -$wb['destination_error_isemail'] = 'Destination is no valid email address.'; -$wb['greylisting_txt'] = 'Enable greylisting'; -$wb['send_as_txt'] = 'Send as'; -$wb['send_as_exp'] = 'Allow destination to send from email addresses in this domain'; +$wb['domain_error_unique'] = 'Esiste già un record catchall per questo dominio.'; +$wb['no_domain_perm'] = 'Non hai i diritti per questo dominio.'; +$wb['domain_error_regex'] = 'Il dominio contiene caratteri non validi.'; +$wb['limit_mailcatchall_txt'] = 'Hai raggiunto il massimo numero di mail catchall per il tuo profilo.'; +$wb['source_txt'] = 'Mittente'; +$wb['destination_error_isemail'] = 'Il Destinatario non è un indirizzo mail valido.'; +$wb['greylisting_txt'] = 'Abilita greylisting'; +$wb['send_as_txt'] = 'Invia comes'; +$wb['send_as_exp'] = 'Abilita ad inviare da indirizzi mail di questo dominio'; diff --git a/interface/web/mail/lib/lang/it_mail_domain_catchall_list.lng b/interface/web/mail/lib/lang/it_mail_domain_catchall_list.lng index 78515acd8a52d7af9ff112e0a4abf7b4d07c0940..b2b069e3fef5bce25d763a012c6e6a18141df04d 100644 --- a/interface/web/mail/lib/lang/it_mail_domain_catchall_list.lng +++ b/interface/web/mail/lib/lang/it_mail_domain_catchall_list.lng @@ -2,8 +2,8 @@ $wb['list_head_txt'] = 'Email Catchall'; $wb['active_txt'] = 'Attivo'; $wb['source_txt'] = 'source'; -$wb['destination_txt'] = 'Destination email address'; +$wb['destination_txt'] = 'Indirizzo email destinatario'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Catchall'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Catchall'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_domain_list.lng b/interface/web/mail/lib/lang/it_mail_domain_list.lng index fcdf0d2b550966c762c5bc820ac5c289810a6ba3..e18a0590723d6cc85f223842614343247db9f842 100644 --- a/interface/web/mail/lib/lang/it_mail_domain_list.lng +++ b/interface/web/mail/lib/lang/it_mail_domain_list.lng @@ -2,6 +2,6 @@ $wb['list_head_txt'] = 'Dominio di Posta'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Domain'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Dominio'; $wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_forward.lng b/interface/web/mail/lib/lang/it_mail_forward.lng index 6c4690c750bb4bbf0864ca3a7e89b2d529a7afdb..8cba8613775f0790c39e7d5d1cc12209d58001b6 100644 --- a/interface/web/mail/lib/lang/it_mail_forward.lng +++ b/interface/web/mail/lib/lang/it_mail_forward.lng @@ -2,14 +2,14 @@ $wb['email_txt'] = 'Email'; $wb['destination_txt'] = 'Destinazione Email'; $wb['active_txt'] = 'Attivo'; -$wb['limit_mailforward_txt'] = 'Raggiunto il numero massimo di forwarders per il tuo account.'; +$wb['limit_mailforward_txt'] = 'Raggiunto il numero massimo di forwarders per il tuo profilo.'; $wb['duplicate_mailbox_txt'] = 'Esiste già una casella email per questo indirizzo'; $wb['domain_txt'] = 'Dominio'; $wb['source_txt'] = 'Source Email'; -$wb['destination_error_empty'] = 'The destination must not be empty.'; -$wb['destination_error_isemail'] = 'The destination contains at least one invalid email address.'; -$wb['email_error_isemail'] = 'Please enter a valid email address.'; +$wb['destination_error_empty'] = 'Il destinatario non può essere vuoto.'; +$wb['destination_error_isemail'] = 'Almeno un indirizzo email non valido tra i destinatari.'; +$wb['email_error_isemail'] = 'Inserire un indirizzo mail corretto.'; $wb['email_error_unique'] = 'Indirizzo email duplicato.'; -$wb['send_as_txt'] = 'Send as'; -$wb['send_as_exp'] = 'Allow target to send mail using this address as origin (if target is internal)'; -$wb['greylisting_txt'] = 'Enable greylisting'; +$wb['send_as_txt'] = 'Invia come'; +$wb['send_as_exp'] = 'Consenti al soggetto di inviare mail usando questo indirizzo come mittente (se il soggetto è interno)'; +$wb['greylisting_txt'] = 'Abilita liste grigie'; diff --git a/interface/web/mail/lib/lang/it_mail_forward_list.lng b/interface/web/mail/lib/lang/it_mail_forward_list.lng index 46215c510c30d4f433f063f28b1836310db33b87..14687f01a703eb5a131cc8fe14302dc5181cbd2b 100644 --- a/interface/web/mail/lib/lang/it_mail_forward_list.lng +++ b/interface/web/mail/lib/lang/it_mail_forward_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'Mail Forward'; +$wb['list_head_txt'] = 'Inoltro Mail'; $wb['active_txt'] = 'Attivo'; -$wb['source_txt'] = 'source'; +$wb['source_txt'] = 'Sorgente'; $wb['destination_txt'] = 'Destinazione'; $wb['email_txt'] = 'Email'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Email forward'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Email forward'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_get.lng b/interface/web/mail/lib/lang/it_mail_get.lng index 70770c22d423dd4e2d741748f65b5f15f8cc104d..9451959b1b14d3ed212df73cf68108e12835b677 100644 --- a/interface/web/mail/lib/lang/it_mail_get.lng +++ b/interface/web/mail/lib/lang/it_mail_get.lng @@ -1,19 +1,19 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['type_txt'] = 'Type'; +$wb['type_txt'] = 'Tipo'; $wb['source_server_txt'] = 'Pop3/Imap Server'; $wb['source_username_txt'] = 'Nome Utente'; $wb['source_password_txt'] = 'Password'; $wb['source_delete_txt'] = 'Elimina emails dopo averle scaricate'; -$wb['destination_txt'] = 'Destinazione'; +$wb['destination_txt'] = 'Destinatario'; $wb['active_txt'] = 'Attivo'; -$wb['limit_fetchmail_txt'] = 'Numero massimo di indirizzi Fetchmail per il tuo account raggiunti.'; -$wb['source_server_error_isempty'] = 'Valore Server vuoto.'; -$wb['source_username_error_isempty'] = 'Valore Nome Utente vuoto.'; -$wb['source_password_error_isempty'] = 'Valore Password vuoto.'; +$wb['limit_fetchmail_txt'] = 'Numero massimo di indirizzi Fetchmail per il tuo profilo raggiunti.'; +$wb['source_server_error_isempty'] = 'Valore Server vuoto.'; +$wb['source_username_error_isempty'] = 'Valore Nome Utente vuoto.'; +$wb['source_password_error_isempty'] = 'Valore Password vuoto.'; $wb['destination_error_isemail'] = 'Nessuna destinazione selezionata.'; $wb['source_server_error_regex'] = 'Pop3/Imap Server non è un nome dominio valido.'; $wb['source_read_all_txt'] = 'Recupera tutte le email (incluso mail lette)'; $wb['error_delete_read_all_combination'] = 'Combinazione di opzioni non conforme. Non puoi utilizzare \\"Elimina mail dopo averle scaricate \\" = NO assieme a \\"Recupera tutte le email\\" = SI'; -$wb['source_delete_note_txt'] = 'Please check first if email retrieval works, before you activate this option.'; +$wb['source_delete_note_txt'] = 'Verifica se riesci a scaricare le mail prima di attivare questa opzione.'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_get_list.lng b/interface/web/mail/lib/lang/it_mail_get_list.lng index 839a076d6733db79ae80f8ac812f96cdfa261f35..086f187afeb42a86230ead46d1c8cf2d6f6f29d4 100644 --- a/interface/web/mail/lib/lang/it_mail_get_list.lng +++ b/interface/web/mail/lib/lang/it_mail_get_list.lng @@ -1,9 +1,9 @@ <?php -$wb['list_head_txt'] = 'Fetch emails from external POP3 / IMAP servers'; +$wb['list_head_txt'] = 'Preleva le emails da un server POP3 / IMAP esterni'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['source_server_txt'] = 'External Server'; +$wb['source_server_txt'] = 'Server esterno'; $wb['source_username_txt'] = 'Nome Utente'; -$wb['destination_txt'] = 'Destinazione'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Account'; +$wb['destination_txt'] = 'Destinatario'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Profilo'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_mailinglist.lng b/interface/web/mail/lib/lang/it_mail_mailinglist.lng index 15629238a944628da95b67581036b0a323c4f244..37835237d865b5ab075906add885fa92dcecacba 100644 --- a/interface/web/mail/lib/lang/it_mail_mailinglist.lng +++ b/interface/web/mail/lib/lang/it_mail_mailinglist.lng @@ -1,10 +1,10 @@ <?php -$wb['limit_mailmailinglist_txt'] = 'Limit reached'; -$wb['domain_error_empty'] = 'Domain vuoto.'; -$wb['listname_error_empty'] = 'Listname vuoto.'; -$wb['domain_error_regex'] = 'Invalid domain name.'; -$wb['email_in_use_txt'] = 'Email is in use'; -$wb['no_domain_perm'] = 'Non hai i diritti per this domain.'; +$wb['limit_mailmailinglist_txt'] = 'Limite raggiunto'; +$wb['domain_error_empty'] = 'Dominio vuoto.'; +$wb['listname_error_empty'] = 'Listname vuoto.'; +$wb['domain_error_regex'] = 'Nome dominio non valido.'; +$wb['email_in_use_txt'] = 'Email è già in uso'; +$wb['no_domain_perm'] = 'Non hai i diritti per questo dominio.'; $wb['password_strength_txt'] = 'Livello sicurezza Password'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; @@ -16,7 +16,7 @@ $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['listname_error_unique'] = 'There is already a mailinglist with name on the server. Please choose a different listname.'; -$wb['email_error_isemail'] = 'Email address is invalid.'; +$wb['listname_error_unique'] = 'Esiste già una lista mail con questo nome. Scegli un nome differente.'; +$wb['email_error_isemail'] = 'Indirizzo Email non valido.'; $wb['mailinglist_txt'] = 'Mailing list'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_relay_recipient.lng b/interface/web/mail/lib/lang/it_mail_relay_recipient.lng index 3bac79de1e13dfa3f44d200a0918cd7fc6650df7..f3a9302ebc5fc1193465d96761aac4036e5ff3eb 100644 --- a/interface/web/mail/lib/lang/it_mail_relay_recipient.lng +++ b/interface/web/mail/lib/lang/it_mail_relay_recipient.lng @@ -1,9 +1,9 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['source_txt'] = 'Relay recipient'; +$wb['source_txt'] = 'Destinatario Relay'; $wb['recipient_txt'] = 'Destinatario'; $wb['active_txt'] = 'Attivo'; $wb['source_error_notempty'] = 'Indirizzo vuoto.'; -$wb['type_txt'] = 'Type'; -$wb['limit_mailfilter_txt'] = 'Raggiunto numero massimo filtri emai per il tuo account.'; +$wb['type_txt'] = 'tipo'; +$wb['limit_mailfilter_txt'] = 'Raggiunto numero massimo filtri emai per il tuo profilo.'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_relay_recipient_list.lng b/interface/web/mail/lib/lang/it_mail_relay_recipient_list.lng index 17a1fa008dbf8e049a0e8df75bee225d0c415439..3925fb753042f217d93ce6301d86c0f7cbfd2937 100644 --- a/interface/web/mail/lib/lang/it_mail_relay_recipient_list.lng +++ b/interface/web/mail/lib/lang/it_mail_relay_recipient_list.lng @@ -1,9 +1,9 @@ <?php -$wb['list_head_txt'] = 'Relay recipients'; +$wb['list_head_txt'] = 'Destinatari Relay'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['source_txt'] = 'Recipient address'; -$wb['recipient_txt'] = 'Recipient'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo relay recipient'; -$wb['access_txt'] = 'access'; +$wb['source_txt'] = 'Indirizzo destinatario'; +$wb['recipient_txt'] = 'Destinatario'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo destinatario relay'; +$wb['access_txt'] = 'Accesso'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_spamfilter_list.lng b/interface/web/mail/lib/lang/it_mail_spamfilter_list.lng index b7daa3eaad187c095fdce4ab7f1a555c65542586..ea46965e4e3e128080d87010927bd906f9977a2d 100644 --- a/interface/web/mail/lib/lang/it_mail_spamfilter_list.lng +++ b/interface/web/mail/lib/lang/it_mail_spamfilter_list.lng @@ -4,5 +4,5 @@ $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['server_name_txt'] = 'server_name'; $wb['email_txt'] = 'Email'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Spamfilter record'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo record Spamfilter'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_transport.lng b/interface/web/mail/lib/lang/it_mail_transport.lng index fbd1a58087e6d399d257e94b59df52b5dff1d6de..6b4734abaf7cd74a4a74f0738eab278cd6417593 100644 --- a/interface/web/mail/lib/lang/it_mail_transport.lng +++ b/interface/web/mail/lib/lang/it_mail_transport.lng @@ -2,10 +2,10 @@ $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['destination_txt'] = 'Destinazione'; -$wb['type_txt'] = 'Type'; +$wb['type_txt'] = 'Tipo'; $wb['mx_txt'] = 'No MX lookup'; $wb['sort_order_txt'] = 'Ordina per'; $wb['active_txt'] = 'Attivo'; -$wb['limit_mailrouting_txt'] = 'The max. number of routes raggiunto per il tuo account.'; +$wb['limit_mailrouting_txt'] = 'Hai raggiunto il numero massimo di mailroutes per il tuo profilo.'; $wb['transport_txt'] = 'Transport'; -$wb['domain_error_unique'] = 'A mail transport for this Domain already exists on this server.'; +$wb['domain_error_unique'] = 'Un sistema di trasporto mail esiste già per questo dominio su questo server.'; diff --git a/interface/web/mail/lib/lang/it_mail_transport_list.lng b/interface/web/mail/lib/lang/it_mail_transport_list.lng index c89bb9ff77b1b558227d5101397ebf399cea5c60..4c0c6b6b333e4301d11292d2f4dac7675b2f3e9a 100644 --- a/interface/web/mail/lib/lang/it_mail_transport_list.lng +++ b/interface/web/mail/lib/lang/it_mail_transport_list.lng @@ -5,5 +5,5 @@ $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['transport_txt'] = 'Transport'; $wb['sort_order_txt'] = 'Ordina per'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo transport'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo transport'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_user.lng b/interface/web/mail/lib/lang/it_mail_user.lng index 9d96407e453e4055df66f919a66b20aa2d55982f..fbfdfd2ae49cc8bc29bcd3abb981e465f693bb55 100644 --- a/interface/web/mail/lib/lang/it_mail_user.lng +++ b/interface/web/mail/lib/lang/it_mail_user.lng @@ -1,5 +1,5 @@ <?php -$wb['custom_mailfilter_txt'] = 'Custom mail filter recipe'; +$wb['custom_mailfilter_txt'] = 'Filtro destinatari mail personalizzato'; $wb['email_txt'] = 'Email'; $wb['cryptpwd_txt'] = 'Password'; $wb['password_strength_txt'] = 'Password livello sicurezza'; @@ -8,8 +8,8 @@ $wb['email_error_isemail'] = 'Indirizzo Email non valido.'; $wb['email_error_unique'] = 'Indirizzo Email duplicato.'; $wb['autoresponder_text_txt'] = 'Testo'; $wb['autoresponder_txt'] = 'Autorisponditore'; -$wb['no_domain_perm'] = 'Non hai i diritti per questo dominio.'; -$wb['error_no_pwd'] = 'Valore Password vuoto.'; +$wb['no_domain_perm'] = 'Non hai i diritti per questo dominio.'; +$wb['error_no_pwd'] = 'Valore Password vuoto.'; $wb['quota_error_isint'] = 'Il valore per la dimensione della casella di posta deve essere un numero.'; $wb['quota_txt'] = 'quota in MB'; $wb['server_id_txt'] = 'server_id'; @@ -17,11 +17,11 @@ $wb['password_txt'] = 'password'; $wb['password_click_to_set_txt'] = 'Click to set'; $wb['maildir_txt'] = 'maildir'; $wb['postfix_txt'] = 'Abilita ricezione'; -$wb['tooltip_postfix_txt'] = 'Allows incoming mail to this address.'; +$wb['tooltip_postfix_txt'] = 'Abilita ricezione messaggi per questa email.'; $wb['access_txt'] = 'Abilita indirizzo'; $wb['policy_txt'] = 'Spamfilter'; -$wb['inherit_policy'] = '- Inherit domain setting -'; -$wb['limit_mailbox_txt'] = 'Hai raggiungo il numero massimo di caselle per il tuo account.'; +$wb['inherit_policy'] = '- Importa le impostazioni del dominio -'; +$wb['limit_mailbox_txt'] = 'Hai raggiungo il numero massimo di caselle per il tuo profilo.'; $wb['limit_mailquota_txt'] = 'Hai raggiunto lo spazio massimo per le tue caselle di posta. Lo spazio massimo in MB è di'; $wb['disableimap_txt'] = 'Disabilita IMAP'; $wb['disablepop3_txt'] = 'Disabilita POP3'; @@ -32,22 +32,22 @@ $wb['autoresponder_start_date_ispast'] = 'La data di avvio no può essere anterg $wb['autoresponder_end_date_txt'] = 'Termina il'; $wb['autoresponder_end_date_isgreater'] = 'La data termine deve essere impostata e successiva al giorno di inizio.'; $wb['move_junk_txt'] = 'Sposta Email di Spam nella cartella di spam Junk'; -$wb['move_junk_y_txt'] = 'Move first, before custom filters.'; -$wb['move_junk_a_txt'] = 'Move last, after custom filters.'; -$wb['move_junk_n_txt'] = 'Do not move Spam Emails to Junk folder.'; +$wb['move_junk_y_txt'] = 'Sposta prima, poi i filtri personalizzati.'; +$wb['move_junk_a_txt'] = 'Sposta successivamente, prima i filtri personalizzati.'; +$wb['move_junk_n_txt'] = 'Non spostare le mail SPAM nella cartella Indesiderate.'; $wb['name_txt'] = 'Nome vero'; $wb['name_optional_txt'] = '(Opzionale)'; $wb['autoresponder_active'] = 'Abilita autorisponditore'; $wb['cc_txt'] = 'Trasmetti copia a'; $wb['cc_error_isemail'] = 'Il campo trasmetti copia a non contiene un indirizzo email valido'; -$wb['forward_in_lda_txt'] = 'Copy during delivery'; -$wb['tooltip_forward_in_lda_txt'] = 'Controls if mail copy is forwarded before or during delivery to mailbox.'; +$wb['forward_in_lda_txt'] = 'Copia durante la consegna'; +$wb['tooltip_forward_in_lda_txt'] = 'Controlla se la copia mail è inviata prima o durante la consegna alla mailbox.'; $wb['domain_txt'] = 'Dominio'; $wb['now_txt'] = 'Ora'; -$wb['login_error_unique'] = 'Questo Login è già occupato.'; +$wb['login_error_unique'] = 'Questo Login è già presente.'; $wb['login_error_regex'] = 'Caratteri ammessi sono A-Z, a-z, 0-9, ., _ e -.'; $wb['login_txt'] = 'Login (opzionale)'; -$wb['error_login_email_txt'] = 'Questo login non è ammesso. Inserire un login diverso o utilizzare un indirizzo email come login.'; +$wb['error_login_email_txt'] = 'Questo login non è ammesso. Inserire un login diverso o utilizzare un indirizzo email come login.'; $wb['autoresponder_subject_txt'] = 'Oggetto Email'; $wb['autoresponder_subject'] = 'Out of office reply'; $wb['generate_password_txt'] = 'Genera Password'; @@ -57,22 +57,22 @@ $wb['password_match_txt'] = 'Le passwords coincidono.'; $wb['email_error_isascii'] = 'Non utilizzare caratteri speciali unicode per la password. Potresti avere problemi con il tuo client di psota.'; $wb['cc_note_txt'] = '(Separa indirizzi email multipli con la virgola)'; $wb['disablesmtp_txt'] = 'Disabilita SMTP (trasmissione)'; -$wb['tooltip_disablesmtp_txt'] = 'Disables mail submission from this mail account.'; -$wb['disabledeliver_txt'] = 'Disable (local) delivering'; -$wb['tooltip_disabledeliver_txt'] = 'Disables delivery to INBOX, and processing by mail filters and sieve scripts. Mail forwards to \'Send copy to\' address.'; -$wb['autoresponder_start_date_is_required'] = 'Start date must be set when Autoresponder is enabled.'; -$wb['greylisting_txt'] = 'Enable greylisting'; -$wb['sender_cc_txt'] = 'Send outgoing BCC to'; -$wb['sender_cc_error_isemail'] = 'The -Send outgoing copy to- field does not contain a valid email address'; -$wb['backup_interval_txt'] = 'Backup interval'; -$wb['backup_copies_txt'] = 'Number of backup copies'; -$wb['no_backup_txt'] = 'No backup'; -$wb['daily_backup_txt'] = 'Daily'; -$wb['weekly_backup_txt'] = 'Weekly'; -$wb['monthly_backup_txt'] = 'Monthly'; -$wb['sender_cc_note_txt'] = '(One email address only)'; -$wb['purge_trash_days_txt'] = 'Purge Trash automatically after X days'; -$wb['tooltip_purge_trash_days_txt'] = '0 = disabled'; -$wb['purge_junk_days_txt'] = 'Purge Junk automatically after X days'; -$wb['tooltip_purge_junk_days_txt'] = '0 = disabled'; +$wb['tooltip_disablesmtp_txt'] = 'Disabilita l\'invio di mail da questo profilo.'; +$wb['disabledeliver_txt'] = 'Disabilita invio (locale)'; +$wb['tooltip_disabledeliver_txt'] = 'Disabilita consegna in cartella INBOX, e gestione filtri mail e script di controllo. Inoltra le mail all\'indirizzo: \'Invia copia a\'.'; +$wb['autoresponder_start_date_is_required'] = 'La data di inizio deve essere impostata prima che sia abilitato l\'Autorisponditore.'; +$wb['greylisting_txt'] = 'Abilita liste grigie'; +$wb['sender_cc_txt'] = 'Invia i messaggi in uscita in copia nascosta a'; +$wb['sender_cc_error_isemail'] = 'Il campo -Invia copia in uscita a- non contiene un indirizzo mail valido'; +$wb['backup_interval_txt'] = 'Intervallo di Backup'; +$wb['backup_copies_txt'] = 'Numero di copie backup'; +$wb['no_backup_txt'] = 'Nessun backup'; +$wb['daily_backup_txt'] = 'Giornaliero'; +$wb['weekly_backup_txt'] = 'Settimanale'; +$wb['monthly_backup_txt'] = 'Mensile'; +$wb['sender_cc_note_txt'] = '(Un indirizzo mail solamente)'; +$wb['purge_trash_days_txt'] = 'Svuota automaticamente il Cestino dopo X giorni'; +$wb['tooltip_purge_trash_days_txt'] = '0 = Disabilitato'; +$wb['purge_junk_days_txt'] = 'Svuota cartella Indesiderati automaticamente dopo X giorni'; +$wb['tooltip_purge_junk_days_txt'] = '0 = Disabilitato'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_user_filter.lng b/interface/web/mail/lib/lang/it_mail_user_filter.lng index 1287b716ff5a2a7dda59c026617ab8aeea3e3892..745e5deb1ef9932f2c711e1610349bcbdb8c3a43 100644 --- a/interface/web/mail/lib/lang/it_mail_user_filter.lng +++ b/interface/web/mail/lib/lang/it_mail_user_filter.lng @@ -6,26 +6,26 @@ $wb['active_txt'] = 'Attivo'; $wb['rulename_error_empty'] = 'Nome vuoto.'; $wb['searchterm_is_empty'] = 'Termine ricerca vuoto.'; $wb['source_txt'] = 'Origine'; -$wb['target_error_regex'] = 'The target may only contain these characters: a-z, 0-9, -, ., _, &, /, and {space}'; -$wb['limit_mailfilter_txt'] = 'The max. number of mailfilters is reached.'; +$wb['target_error_regex'] = 'Può contenere solo: a-z, 0-9, -, ., _, &, /, e {spazio}'; +$wb['limit_mailfilter_txt'] = 'Hai raggiunto il numero massimo di filtri mail.'; $wb['subject_txt'] = 'Oggetto'; $wb['from_txt'] = 'Da'; $wb['to_txt'] = 'A'; -$wb['list_id_txt'] = 'List ID'; +$wb['list_id_txt'] = 'Lista ID'; $wb['contains_txt'] = 'Contiene'; $wb['is_txt'] = 'è'; $wb['begins_with_txt'] = 'Inizia con'; $wb['ends_with_txt'] = 'Termina con'; -$wb['regex_txt'] = 'Matches Regex'; +$wb['regex_txt'] = 'Soddisfa espressione'; $wb['delete_txt'] = 'Elimina'; -$wb['move_stop_txt'] = 'Move to'; -$wb['header_txt'] = 'Header'; -$wb['size_over_txt'] = 'Email size over (KB)'; -$wb['size_under_txt'] = 'Email size under (KB)'; -$wb['localpart_txt'] = 'Localpart'; -$wb['domain_txt'] = 'Domain'; -$wb['keep_txt'] = 'Keep'; -$wb['reject_txt'] = 'Reject'; +$wb['move_stop_txt'] = 'sposta a'; +$wb['header_txt'] = 'Intestazione'; +$wb['size_over_txt'] = 'dimensione Email oltre (KB)'; +$wb['size_under_txt'] = 'Dimensione Email inferiore (KB)'; +$wb['localpart_txt'] = 'Parte locale'; +$wb['domain_txt'] = 'Dominio'; +$wb['keep_txt'] = 'Mantieni'; +$wb['reject_txt'] = 'Rifiuta'; $wb['stop_txt'] = 'Stop'; -$wb['move_to_txt'] = 'Move to'; +$wb['move_to_txt'] = 'Sposta a'; ?> diff --git a/interface/web/mail/lib/lang/it_mail_whitelist.lng b/interface/web/mail/lib/lang/it_mail_whitelist.lng index fbc9980fed0991ef1c1919811ed3b336fa0fa5dc..3d683c9d067114fa77844befe4ac3f8812746c73 100644 --- a/interface/web/mail/lib/lang/it_mail_whitelist.lng +++ b/interface/web/mail/lib/lang/it_mail_whitelist.lng @@ -1,12 +1,12 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['source_txt'] = 'Witelist Address'; -$wb['recipient_txt'] = 'Recipient'; +$wb['source_txt'] = 'Lista bianca indirizzi'; +$wb['recipient_txt'] = 'Destinatario'; $wb['active_txt'] = 'Attivo'; -$wb['source_error_notempty'] = 'Address vuoto.'; -$wb['type_txt'] = 'Type'; -$wb['limit_mailfilter_txt'] = 'The max. number of email filters raggiunto per il tuo account.'; -$wb['limit_mail_wblist_txt'] = 'The max. number of email white / blacklist for your account is reached.'; -$wb['mail_access_unique'] = 'Whitelist Address already in use.'; -$wb['client_txt'] = 'Client'; -$wb['sender_txt'] = 'Sender'; +$wb['source_error_notempty'] = 'Indirizzo vuoto.'; +$wb['type_txt'] = 'Tipo'; +$wb['limit_mailfilter_txt'] = 'Hai raggiunto il limite massimo di filtri mail per il tuo profilo.'; +$wb['limit_mail_wblist_txt'] = 'Hai raggiunto il limite massimo di liste bianche / nere mail per il tuo profilo.'; +$wb['mail_access_unique'] = 'Indirizzo lista bianca già in uso.'; +$wb['client_txt'] = 'Cliente'; +$wb['sender_txt'] = 'Mittente'; diff --git a/interface/web/mail/lib/lang/it_mail_whitelist_list.lng b/interface/web/mail/lib/lang/it_mail_whitelist_list.lng index 1a5bbb6bb97ede7221c1fdd525c3e98337c92937..7d096865efc956a3b2d718c59c596563a3fffdb6 100644 --- a/interface/web/mail/lib/lang/it_mail_whitelist_list.lng +++ b/interface/web/mail/lib/lang/it_mail_whitelist_list.lng @@ -3,8 +3,8 @@ $wb['list_head_txt'] = 'Email Whitelist'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['source_txt'] = 'Whitelisted address'; -$wb['type_txt'] = 'Type'; -$wb['recipient_txt'] = 'Recipient'; -$wb['add_new_record_txt'] = 'Aggiungi un nuovo Whitelist record'; -$wb['access_txt'] = 'access'; +$wb['type_txt'] = 'Tipo'; +$wb['recipient_txt'] = 'Destinatario'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo record Whitelist'; +$wb['access_txt'] = 'accesso'; ?> diff --git a/interface/web/mail/lib/lang/it_spamfilter_blacklist.lng b/interface/web/mail/lib/lang/it_spamfilter_blacklist.lng index 862999b00a4267848a61268df4904ef98c5de1ca..625b483309a5a4171b5f25aed215afcaf85b2c6c 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_blacklist.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_blacklist.lng @@ -5,7 +5,7 @@ $wb['rid_txt'] = 'Utente'; $wb['email_txt'] = 'Email'; $wb['priority_txt'] = 'Priorita'; $wb['active_txt'] = 'Attivo'; -$wb['limit_spamfilter_wblist_txt'] = 'E stato raggiunto il numero massimo di record per White- o Blacklist del tuo account.'; +$wb['limit_spamfilter_wblist_txt'] = 'E stato raggiunto il numero massimo di record per White- o Blacklist del tuo profilo.'; $wb['10 - highest'] = '10 - elevato'; $wb['5 - medium'] = '5 - medio'; $wb['1 - lowest'] = '1 - minimo'; diff --git a/interface/web/mail/lib/lang/it_spamfilter_config.lng b/interface/web/mail/lib/lang/it_spamfilter_config.lng index 05b1a3dacf68ae554618c51eb34a439812c472cf..4f26656a1838de0b924e3974e99fd892e0eaf7d0 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_config.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_config.lng @@ -1,7 +1,7 @@ <?php -$wb['getmail_config_dir_txt'] = 'Getmail Config Path'; +$wb['getmail_config_dir_txt'] = 'Percorso di configurazione Getmail'; $wb['ip_address_txt'] = 'Indirizzo IP'; -$wb['netmask_txt'] = 'Netmask'; +$wb['netmask_txt'] = 'Maschera sottorete'; $wb['gateway_txt'] = 'Gateway'; $wb['hostname_txt'] = 'Hostname'; $wb['nameservers_txt'] = 'Nameservers'; diff --git a/interface/web/mail/lib/lang/it_spamfilter_policy.lng b/interface/web/mail/lib/lang/it_spamfilter_policy.lng index 683b378c21e0eebc93556c6914165bc708521c02..abe6ac8c997cd03421ca65c75ee2ff395c9c46d5 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_policy.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_policy.lng @@ -1,51 +1,51 @@ <?php -$wb['policy_name_txt'] = 'Policy Name'; -$wb['virus_lover_txt'] = 'Virus lover'; -$wb['spam_lover_txt'] = 'SPAM lover'; -$wb['banned_files_lover_txt'] = 'Banned files lover'; -$wb['bad_header_lover_txt'] = 'Bad header lover'; -$wb['bypass_virus_checks_txt'] = 'Bypass virus checks'; -$wb['bypass_banned_checks_txt'] = 'Bypass banned checks'; -$wb['bypass_header_checks_txt'] = 'Bypass header checks'; -$wb['virus_quarantine_to_txt'] = 'Forward virus to email'; -$wb['spam_quarantine_to_txt'] = 'Forward spam to email'; -$wb['banned_quarantine_to_txt'] = 'Forward banned to email'; -$wb['bad_header_quarantine_to_txt'] = 'Forward bad header to email'; -$wb['clean_quarantine_to_txt'] = 'Forward clean to email'; -$wb['other_quarantine_to_txt'] = 'Forward other to email'; -$wb['spam_tag_level_txt'] = 'SPAM tag level'; -$wb['spam_tag2_level_txt'] = 'SPAM tag2 level'; -$wb['spam_kill_level_txt'] = 'SPAM kill level'; -$wb['spam_dsn_cutoff_level_txt'] = 'SPAM dsn cutoff level'; +$wb['policy_name_txt'] = 'Nome della politica di filtro'; +$wb['virus_lover_txt'] = 'Amante dei Virus'; +$wb['spam_lover_txt'] = 'Amante dello SPAM'; +$wb['banned_files_lover_txt'] = 'Amante dei files proibiti'; +$wb['bad_header_lover_txt'] = 'Amante delle intestazioni scorretter'; +$wb['bypass_virus_checks_txt'] = 'Escludi il controllo dei virus'; +$wb['bypass_banned_checks_txt'] = 'Escludi il controllo dei file proibiti'; +$wb['bypass_header_checks_txt'] = 'Escludi il controllo delle intestazioni'; +$wb['virus_quarantine_to_txt'] = 'Inoltra virus alla email'; +$wb['spam_quarantine_to_txt'] = 'Inoltra spam alla email'; +$wb['banned_quarantine_to_txt'] = 'Inoltra proibito alla email'; +$wb['bad_header_quarantine_to_txt'] = 'Inoltra intestazione scorretta alla email'; +$wb['clean_quarantine_to_txt'] = 'Inoltra puliti alla email'; +$wb['other_quarantine_to_txt'] = 'Inoltra gli altri alla email'; +$wb['spam_tag_level_txt'] = 'Etichetta SPAM'; +$wb['spam_tag2_level_txt'] = 'Etichetta2 SPAM'; +$wb['spam_kill_level_txt'] = 'Etichetta Elimina SPAM'; +$wb['spam_dsn_cutoff_level_txt'] = 'Etichetta Cancella dominio SPAM'; $wb['spam_quarantine_cutoff_level_txt'] = 'SPAM quarantine cutoff level'; -$wb['spam_modifies_subj_txt'] = 'SPAM modifies subject'; -$wb['spam_subject_tag_txt'] = 'SPAM subject tag'; -$wb['spam_subject_tag2_txt'] = 'SPAM subject tag2'; -$wb['addr_extension_virus_txt'] = 'Addr. extension virus'; -$wb['addr_extension_spam_txt'] = 'Addr. extension SPAM'; -$wb['addr_extension_banned_txt'] = 'Addr. extension banned'; -$wb['addr_extension_bad_header_txt'] = 'Addr extension bad header'; -$wb['warnvirusrecip_txt'] = 'Warn virus recip.'; -$wb['warnbannedrecip_txt'] = 'Warn banned recip.'; -$wb['warnbadhrecip_txt'] = 'Warn bad header recip.'; -$wb['newvirus_admin_txt'] = 'Newvirus admin'; -$wb['virus_admin_txt'] = 'Virus admin'; -$wb['banned_admin_txt'] = 'Banned admin'; -$wb['bad_header_admin_txt'] = 'Bad header admin'; -$wb['spam_admin_txt'] = 'SPAM admin'; -$wb['message_size_limit_txt'] = 'Message size limit'; -$wb['banned_rulenames_txt'] = 'Banned rulenames'; -$wb['rspamd_greylisting_txt'] = 'Use greylisting'; -$wb['rspamd_spam_greylisting_level_txt'] = 'Greylisting level'; -$wb['rspamd_spam_tag_level_txt'] = 'SPAM tag level'; -$wb['rspamd_spam_tag_method_txt'] = 'SPAM tag method'; -$wb['rspamd_spam_kill_level_txt'] = 'SPAM reject level'; -$wb['btn_save_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['amavis_settings_txt'] = 'Settings'; -$wb['amavis_taglevel_txt'] = 'Tag-Level'; -$wb['amavis_quarantine_txt'] = 'Quarantine'; -$wb['amavis_other_txt'] = 'Other'; -$wb['add_header_txt'] = 'Add header'; -$wb['rewrite_subject_txt'] = 'Rewrite subject'; +$wb['spam_modifies_subj_txt'] = 'Modifica oggetto SPAM'; +$wb['spam_subject_tag_txt'] = 'Etichetta oggetto SPAM'; +$wb['spam_subject_tag2_txt'] = 'Etichetta2 oggetto SPAM'; +$wb['addr_extension_virus_txt'] = 'Indirizzo con estensione virus'; +$wb['addr_extension_spam_txt'] = 'Indirizzo con estensione SPAM'; +$wb['addr_extension_banned_txt'] = 'Indirizzo con estensione proibito'; +$wb['addr_extension_bad_header_txt'] = 'Indirizzo con estensione intestazione errata'; +$wb['warnvirusrecip_txt'] = 'Avvisa destinatario virus'; +$wb['warnbannedrecip_txt'] = 'Avvisa destinatario proibito'; +$wb['warnbadhrecip_txt'] = 'Avvisa destinatario errata intestazione.'; +$wb['newvirus_admin_txt'] = 'Amministratore nuovi virus'; +$wb['virus_admin_txt'] = 'Amministratore Virus'; +$wb['banned_admin_txt'] = 'Amministratore proibiti'; +$wb['bad_header_admin_txt'] = 'Amministratore intestazioni errate'; +$wb['spam_admin_txt'] = 'Amministratore SPAM'; +$wb['message_size_limit_txt'] = 'Limite dimensione messaggio'; +$wb['banned_rulenames_txt'] = 'Nome regola proibiti'; +$wb['rspamd_greylisting_txt'] = 'Usare liste grigie'; +$wb['rspamd_spam_greylisting_level_txt'] = 'Livello di liste grigie'; +$wb['rspamd_spam_tag_level_txt'] = 'Etichetta SPAM'; +$wb['rspamd_spam_tag_method_txt'] = 'Etichetta metodo SPAM'; +$wb['rspamd_spam_kill_level_txt'] = 'Respinto SPAM'; +$wb['btn_save_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['amavis_settings_txt'] = 'Impostazioni'; +$wb['amavis_taglevel_txt'] = 'Livello Etichetta'; +$wb['amavis_quarantine_txt'] = 'Quarantena'; +$wb['amavis_other_txt'] = 'Altri'; +$wb['add_header_txt'] = 'Aggiungi intestazione'; +$wb['rewrite_subject_txt'] = 'Riscrivi oggett0'; ?> diff --git a/interface/web/mail/lib/lang/it_spamfilter_policy_list.lng b/interface/web/mail/lib/lang/it_spamfilter_policy_list.lng index 7010d6147151917ecfce8e288b2065417efd82eb..cc6fa50261df2f259f9bc54292e9e21aa39420f8 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_policy_list.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_policy_list.lng @@ -1,9 +1,9 @@ <?php -$wb['list_head_txt'] = 'Spamfilter Policy'; +$wb['list_head_txt'] = 'Politica di Spamfilter'; $wb['policy_name_txt'] = 'Nome'; -$wb['virus_lover_txt'] = 'Virus lover'; -$wb['spam_lover_txt'] = 'Spam lover'; -$wb['banned_files_lover_txt'] = 'Banned Files lover'; -$wb['bad_header_lover_txt'] = 'Bad Header lover'; -$wb['add_new_record_txt'] = 'Add Policy record'; +$wb['virus_lover_txt'] = 'Amante dei Virus'; +$wb['spam_lover_txt'] = 'Amante dello SPAM'; +$wb['banned_files_lover_txt'] = 'Amante dei files proibiti'; +$wb['bad_header_lover_txt'] = 'Amante delle intestazioni scorretter'; +$wb['add_new_record_txt'] = 'Aggiungi un record alla politica'; ?> diff --git a/interface/web/mail/lib/lang/it_spamfilter_users.lng b/interface/web/mail/lib/lang/it_spamfilter_users.lng index 2f49b05a41afee3b8b92cd7e76918fa3684312fc..097d75ffbdbeabeb060b691734aad601d3cde7b8 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_users.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_users.lng @@ -5,9 +5,9 @@ $wb['policy_id_txt'] = 'Policy'; $wb['email_txt'] = 'Email (Pattern)'; $wb['fullname_txt'] = 'Nome'; $wb['local_txt'] = 'Local'; -$wb['email_error_notempty'] = 'The email address must not be vuoto.'; -$wb['fullname_error_notempty'] = 'The name must not be vuoto.'; +$wb['email_error_notempty'] = 'L\'indirizzo mail non può essere vuoto.'; +$wb['fullname_error_notempty'] = 'Il nome non può essere vuoto.'; $wb['10 - highest'] = '10 - elevata'; $wb['5 - medium'] = '5 - media'; $wb['1 - lowest'] = '1 - minima'; -$wb['inherit_policy'] = '- Inherit domain setting -'; +$wb['inherit_policy'] = '- Importa le impostazioni del dominio -'; diff --git a/interface/web/mail/lib/lang/it_spamfilter_users_list.lng b/interface/web/mail/lib/lang/it_spamfilter_users_list.lng index 3a707975508a2ed8cbf69390050d9c08504de994..33ffd4db99e400230f25bbf97a9c3726479d1337 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_users_list.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_users_list.lng @@ -1,10 +1,10 @@ <?php -$wb['list_head_txt'] = 'Spamfilter Users'; -$wb['local_txt'] = 'Local'; +$wb['list_head_txt'] = 'Utenti Spamfilter'; +$wb['local_txt'] = 'Locale'; $wb['server_id_txt'] = 'Server'; $wb['priority_txt'] = 'Priorita'; -$wb['policy_id_txt'] = 'Policy'; +$wb['policy_id_txt'] = 'Politica'; $wb['fullname_txt'] = 'Nome'; $wb['email_txt'] = 'Email'; -$wb['add_new_record_txt'] = 'Add Spamfilter User'; +$wb['add_new_record_txt'] = 'Aggiungi utente Spamfilter'; ?> diff --git a/interface/web/mail/lib/lang/it_spamfilter_whitelist.lng b/interface/web/mail/lib/lang/it_spamfilter_whitelist.lng index a484eaf4f8e8708c2d5695125d2ad09c1f665fbc..277abadf1bd609cb8f907e23067896932e2803e5 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_whitelist.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_whitelist.lng @@ -5,7 +5,7 @@ $wb['rid_txt'] = 'Utente'; $wb['email_txt'] = 'Email'; $wb['priority_txt'] = 'Priorità '; $wb['active_txt'] = 'Attivo'; -$wb['limit_spamfilter_wblist_txt'] = 'Raggiunto numero massimo di record white/blacklist per questo account.'; +$wb['limit_spamfilter_wblist_txt'] = 'Raggiunto numero massimo di record white/blacklist per questo profilo.'; $wb['10 - highest'] = '10 - elevata'; $wb['5 - medium'] = '5 - media'; $wb['1 - lowest'] = '1 - minima'; diff --git a/interface/web/mail/lib/lang/it_spamfilter_whitelist_list.lng b/interface/web/mail/lib/lang/it_spamfilter_whitelist_list.lng index 1b75490065ece922704624178802644cc6af9fe8..2f91ad20a42b2679677697dde787ea212ab65f6e 100644 --- a/interface/web/mail/lib/lang/it_spamfilter_whitelist_list.lng +++ b/interface/web/mail/lib/lang/it_spamfilter_whitelist_list.lng @@ -2,7 +2,7 @@ $wb['list_head_txt'] = 'Whitelist Filtro Spam '; $wb['active_txt'] = 'Activo'; $wb['server_id_txt'] = 'Server'; -$wb['priority_txt'] = 'Priorita'; +$wb['priority_txt'] = 'Priorità '; $wb['rid_txt'] = 'Utente'; $wb['email_txt'] = 'Email in Whitelist'; $wb['add_new_record_txt'] = 'Adggiungi record Whitelist'; diff --git a/interface/web/mail/lib/lang/it_xmpp_domain.lng b/interface/web/mail/lib/lang/it_xmpp_domain.lng index 0541203b2e19bc1658e140470cb0375f774c7e0a..9e375a433c909ccefae70ce952df3207d6da0c2b 100644 --- a/interface/web/mail/lib/lang/it_xmpp_domain.lng +++ b/interface/web/mail/lib/lang/it_xmpp_domain.lng @@ -1,62 +1,62 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['client_group_id_txt'] = 'Client'; -$wb['domain_txt'] = 'Domain'; -$wb['type_txt'] = 'Type'; -$wb['active_txt'] = 'Active'; -$wb['client_txt'] = 'Client'; -$wb['management_method_txt'] = 'Management of user accounts'; -$wb['public_registration_txt'] = 'Enable public registration'; -$wb['registration_url_txt'] = 'Registration URL'; -$wb['registration_message_txt'] = 'Registration Message'; -$wb['domain_admins_txt'] = 'Domain Admins (JIDs)'; -$wb['use_pubsub_txt'] = 'Enable Pubsub'; -$wb['use_proxy_txt'] = 'Enable Bytestream Proxy'; -$wb['use_anon_host_txt'] = 'Enable Anonymous Host'; -$wb['use_vjud_txt'] = 'Enable VJUD User Directory'; +$wb['client_group_id_txt'] = 'Cliente'; +$wb['domain_txt'] = 'Dominio'; +$wb['type_txt'] = 'Tipo'; +$wb['active_txt'] = 'Attivo'; +$wb['client_txt'] = 'Cliente'; +$wb['management_method_txt'] = 'Mgestione profili utenti'; +$wb['public_registration_txt'] = 'Consenti registrazione pubblica'; +$wb['registration_url_txt'] = 'URL di Registrazione'; +$wb['registration_message_txt'] = 'Messaggio di Registratione'; +$wb['domain_admins_txt'] = 'Amministratori di Dominio (JIDs)'; +$wb['use_pubsub_txt'] = 'Abilita Pubsub'; +$wb['use_proxy_txt'] = 'Abilita Bytestream Proxy'; +$wb['use_anon_host_txt'] = 'Abilita Anonymous Host'; +$wb['use_vjud_txt'] = 'Abilita VJUD User Directory'; $wb['vjud_opt_mode_txt'] = 'VJUD Opt Mode'; -$wb['use_muc_host_txt'] = 'Enable Multi User Chatrooms'; -$wb['muc_name_txt'] = 'Name in MUC Service Discovery'; -$wb['muc_restrict_room_creation_txt'] = 'Permission to create chatrooms'; -$wb['muc_admins_txt'] = 'MUC Admins (JIDs)'; -$wb['use_pastebin_txt'] = 'Enable Pastebin'; -$wb['pastebin_expire_after_txt'] = 'Pastes expire after (hours)'; +$wb['use_muc_host_txt'] = 'Abilita Chatrooms multi utente'; +$wb['muc_name_txt'] = 'Nome in MUC Service Discovery'; +$wb['muc_restrict_room_creation_txt'] = 'Permesso di creare chatrooms'; +$wb['muc_admins_txt'] = 'Amministratori MUC (JIDs)'; +$wb['use_pastebin_txt'] = 'Abilita Pastebin'; +$wb['pastebin_expire_after_txt'] = 'Pastes scade dopo (ore)'; $wb['pastebin_trigger_txt'] = 'Pastebin trigger'; -$wb['use_http_archive_txt'] = 'Enable HTTP chatroom archive'; -$wb['http_archive_show_join_txt'] = 'Show join messages in archive'; -$wb['http_archive_show_status_txt'] = 'Show status changes in archive'; -$wb['use_status_host_txt'] = 'Enable XML Status host'; -$wb['cant_change_domainname_txt'] = 'The Domain name of existing XMPP domain cannot be changed.'; -$wb['about_registration_url_txt'] = 'Link to your registration form.'; -$wb['about_registration_message_txt'] = 'Description about your account registration process.'; -$wb['no_corresponding_maildomain_txt'] = 'Corresponding mail domain for user management not found. Please create the mail domain first.'; -$wb['ssl_state_txt'] = 'State'; -$wb['ssl_locality_txt'] = 'Locality'; -$wb['ssl_organisation_txt'] = 'Organisation'; -$wb['ssl_organisation_unit_txt'] = 'Organisation Unit'; -$wb['ssl_country_txt'] = 'Country'; -$wb['ssl_key_txt'] = 'SSL Key'; -$wb['ssl_request_txt'] = 'SSL Request'; -$wb['ssl_cert_txt'] = 'SSL Certificate'; +$wb['use_http_archive_txt'] = 'Abilita archivio chatroom HTTP'; +$wb['http_archive_show_join_txt'] = 'Mostra messaggio di collegamento in archivio'; +$wb['http_archive_show_status_txt'] = 'Mostra il cambio di stato nell\'archivio'; +$wb['use_status_host_txt'] = 'Abilita lo stato XML'; +$wb['cant_change_domainname_txt'] = 'Il nome di dominio di domini XMPP esistenti non può essere cambiato.'; +$wb['about_registration_url_txt'] = 'Collegamento al tuo modulo di registrazione.'; +$wb['about_registration_message_txt'] = 'Descrizione dellle modalità di registrazione del tuo profilo.'; +$wb['no_corresponding_maildomain_txt'] = 'Il dominio emai corrispondente per la gestione utenti non è stato trovato. Crea prima il dominio email.'; +$wb['ssl_state_txt'] = 'Stato'; +$wb['ssl_locality_txt'] = 'Località '; +$wb['ssl_organisation_txt'] = 'Organizzazione'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; +$wb['ssl_country_txt'] = 'Paese'; +$wb['ssl_key_txt'] = 'Chiave SSL'; +$wb['ssl_request_txt'] = 'Richiesta SSL'; +$wb['ssl_cert_txt'] = 'SSL Certificato'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; -$wb['ssl_email_txt'] = 'Email Address'; +$wb['ssl_action_txt'] = 'SSL Azione'; +$wb['ssl_email_txt'] = 'Indirizzo Email'; $wb['ssl_txt'] = 'SSL'; -$wb['error_ssl_state_empty'] = 'SSL State is empty.'; -$wb['error_ssl_locality_empty'] = 'SSL Locality is empty.'; -$wb['error_ssl_organisation_empty'] = 'SSL Organisation is empty.'; -$wb['error_ssl_organisation_unit_empty'] = 'SSL Organisation Unit is empty.'; -$wb['error_ssl_country_empty'] = 'SSL Country is empty.'; -$wb['error_ssl_cert_empty'] = 'SSL Certificate field is empty'; -$wb['ssl_state_error_regex'] = 'Invalid SSL State. Valid characters are: a-z, 0-9 and .,-_&äöüÄÖÜ'; -$wb['ssl_locality_error_regex'] = 'Invalid SSL Locality. Valid characters are: a-z, 0-9 and .,-_&äöüÄÖÜ'; -$wb['ssl_organisation_error_regex'] = 'Invalid SSL Organisation. Valid characters are: a-z, 0-9 and .,-_&äöüÄÖÜ'; -$wb['ssl_organistaion_unit_error_regex'] = 'Invalid SSL Organisation Unit. Valid characters are: a-z, 0-9 and .,-_&äöüÄÖÜ'; -$wb['ssl_country_error_regex'] = 'Invalid SSL Country. Valid characters are: A-Z'; -$wb['none_txt'] = 'None'; -$wb['save_certificate_txt'] = 'Save certificate'; -$wb['create_certificate_txt'] = 'Create certificate'; -$wb['delete_certificate_txt'] = 'Delete certificate'; -$wb['ssl_error_isemail'] = 'Please enter a valid email adress for generation of the SSL certificate'; -$wb['limit_xmppdomain_txt'] = 'The max. number of XMPP domains for your account is reached.'; +$wb['error_ssl_state_empty'] = 'SSL Stato è vuoto.'; +$wb['error_ssl_locality_empty'] = 'SSL Località è vuoto.'; +$wb['error_ssl_organisation_empty'] = 'SSL Organizzazione è vuoto.'; +$wb['error_ssl_organisation_unit_empty'] = 'SSL Reparto è vuoto.'; +$wb['error_ssl_country_empty'] = 'SSL Paese è vuoto.'; +$wb['error_ssl_cert_empty'] = 'SSL Il campo Certificato è vuoto'; +$wb['ssl_state_error_regex'] = 'Stato SSL non valido. Caratteri ammessi: a-z, 0-9 and .,-_&äöüÄÖÜ'; +$wb['ssl_locality_error_regex'] = 'Località SSL non valida. Caratteri ammessi: a-z, 0-9 and .,-_&äöüÄÖÜ'; +$wb['ssl_organisation_error_regex'] = 'Organizzazione SSL non valida. Caratteri ammessi: a-z, 0-9 and .,-_&äöüÄÖÜ'; +$wb['ssl_organistaion_unit_error_regex'] = 'Reparto SSL non valido. Caratteri ammessi: a-z, 0-9 and .,-_&äöüÄÖÜ'; +$wb['ssl_country_error_regex'] = 'Paese SSL non valido. Caratteri ammessi: A-Z'; +$wb['none_txt'] = 'Nessuno'; +$wb['save_certificate_txt'] = 'Salvare certificato'; +$wb['create_certificate_txt'] = 'Creare certificato'; +$wb['delete_certificate_txt'] = 'Cancellare certificato'; +$wb['ssl_error_isemail'] = 'Inserire un indirizzo email valido per generare il certificato SSL'; +$wb['limit_xmppdomain_txt'] = 'Hai raggiunto il massimo numero di domini XMPP per il tuo profilo.'; ?> diff --git a/interface/web/mail/lib/lang/it_xmpp_domain_admin_list.lng b/interface/web/mail/lib/lang/it_xmpp_domain_admin_list.lng index af643eab5aee3835de27ff78c851d0048052fefe..45c5b08979d838160f873e189f4714108113fe1a 100644 --- a/interface/web/mail/lib/lang/it_xmpp_domain_admin_list.lng +++ b/interface/web/mail/lib/lang/it_xmpp_domain_admin_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'XMPP Domain'; +$wb['list_head_txt'] = 'Dominio XMPP'; $wb['server_id_txt'] = 'Server'; -$wb['domain_txt'] = 'Domain'; -$wb['add_new_record_txt'] = 'Add new Domain'; -$wb['active_txt'] = 'Active'; -$wb['sys_groupid_txt'] = 'Client'; +$wb['domain_txt'] = 'Dominio'; +$wb['add_new_record_txt'] = 'Aggiungi nuovo Dominio'; +$wb['active_txt'] = 'Attivo'; +$wb['sys_groupid_txt'] = 'Cliente'; ?> diff --git a/interface/web/mail/lib/lang/it_xmpp_domain_list.lng b/interface/web/mail/lib/lang/it_xmpp_domain_list.lng index ebfebab7d50cc92cd87be46e8de665ba2bfb6f23..7bf8ea9187d4469bc21c3f525c5b0fc380cad4b2 100644 --- a/interface/web/mail/lib/lang/it_xmpp_domain_list.lng +++ b/interface/web/mail/lib/lang/it_xmpp_domain_list.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'XMPP Domain'; +$wb['list_head_txt'] = 'Dominio XMPP'; $wb['server_id_txt'] = 'Server'; -$wb['domain_txt'] = 'Domain'; -$wb['add_new_record_txt'] = 'Add new Domain'; -$wb['active_txt'] = 'Active'; +$wb['domain_txt'] = 'Dominio'; +$wb['add_new_record_txt'] = 'Aggiungi un nuovo Dominio'; +$wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/mail/lib/lang/it_xmpp_user.lng b/interface/web/mail/lib/lang/it_xmpp_user.lng index 6ab739d98b9ad877f9f9de5f04530b7add424fd5..960ff8b331f8f7481e9fca2a612c11fcaf9cdabc 100644 --- a/interface/web/mail/lib/lang/it_xmpp_user.lng +++ b/interface/web/mail/lib/lang/it_xmpp_user.lng @@ -1,15 +1,15 @@ <?php -$wb['list_head_txt'] = 'XMPP User Accounts'; +$wb['list_head_txt'] = 'Profilo utente XMPP'; $wb['jid_txt'] = 'Jabber ID'; -$wb['active_txt'] = 'Active'; +$wb['active_txt'] = 'Attivo'; $wb['cryptpwd_txt'] = 'Password'; -$wb['password_strength_txt'] = 'Password strength'; -$wb['error_no_pwd'] = 'Password is empty.'; +$wb['password_strength_txt'] = 'Forza della Password'; +$wb['error_no_pwd'] = 'Password è vuota.'; $wb['password_txt'] = 'Password'; -$wb['generate_password_txt'] = 'Generate Password'; -$wb['repeat_password_txt'] = 'Repeat Password'; -$wb['password_mismatch_txt'] = 'The passwords do not match.'; -$wb['password_match_txt'] = 'The passwords do match.'; -$wb['no_domain_perm'] = 'You have no permission for this domain.'; -$wb['limit_xmpp_user_txt'] = 'The max. number of xmpp accounts for your account is reached.'; +$wb['generate_password_txt'] = 'Genera Password'; +$wb['repeat_password_txt'] = 'Ripeti Password'; +$wb['password_mismatch_txt'] = 'Le password sono diverse.'; +$wb['password_match_txt'] = 'Le password coincidono.'; +$wb['no_domain_perm'] = 'Non hai i permessi per questo dominio.'; +$wb['limit_xmpp_user_txt'] = 'Hai raggiunto il massimo numero di utenti XMPP per il tuo profilo.'; ?> diff --git a/interface/web/mail/lib/lang/it_xmpp_user_list.lng b/interface/web/mail/lib/lang/it_xmpp_user_list.lng index f2651cb62b0cfbe55156d943e91fd7e0c33ac515..0a22caf8a1b2edfbd08e2008eb548e7d89157f9d 100644 --- a/interface/web/mail/lib/lang/it_xmpp_user_list.lng +++ b/interface/web/mail/lib/lang/it_xmpp_user_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'XMPP User Accounts'; +$wb['list_head_txt'] = 'Profilo utente XMPP'; $wb['jid_txt'] = 'Jabber ID'; -$wb['is_domain_admin_txt'] = 'Domain admin'; -$wb['is_muc_admin_txt'] = 'MUC admin'; -$wb['add_new_record_txt'] = 'Add new user'; -$wb['active_txt'] = 'Active'; +$wb['is_domain_admin_txt'] = 'Amministratore Dominio'; +$wb['is_muc_admin_txt'] = 'Amministratore MUC'; +$wb['add_new_record_txt'] = 'Aggiungi nuovo utente'; +$wb['active_txt'] = 'Attivo'; ?> diff --git a/interface/web/mail/lib/module.conf.php b/interface/web/mail/lib/module.conf.php index 39fd5c36bbe01f9d6312f25d8a50b83ce916952a..40a7813b6274ae141d66d74d0aa8ea57f9e9e16c 100644 --- a/interface/web/mail/lib/module.conf.php +++ b/interface/web/mail/lib/module.conf.php @@ -13,56 +13,49 @@ $module['order'] = '40'; //**** Email accounts menu $items = array(); -if($app->auth->get_client_limit($userid, 'maildomain') != 0) -{ +if($app->auth->get_client_limit($userid, 'maildomain') != 0) { $items[] = array( 'title' => 'Domain', 'target' => 'content', 'link' => 'mail/mail_domain_list.php', 'html_id' => 'mail_domain_list'); } -if($app->auth->get_client_limit($userid, 'mailaliasdomain') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailaliasdomain') != 0) { $items[] = array( 'title' => 'Domain Alias', 'target' => 'content', 'link' => 'mail/mail_aliasdomain_list.php', 'html_id' => 'mail_aliasdomain_list'); } -if($app->auth->get_client_limit($userid, 'mailbox') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailbox') != 0) { $items[] = array( 'title' => 'Email Mailbox', 'target' => 'content', 'link' => 'mail/mail_user_list.php', 'html_id' => 'mail_user_list'); } -if($app->auth->get_client_limit($userid, 'mailalias') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailalias') != 0) { $items[] = array( 'title' => 'Email Alias', 'target' => 'content', 'link' => 'mail/mail_alias_list.php', 'html_id' => 'mail_alias_list'); } -if($app->auth->get_client_limit($userid, 'mailforward') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailforward') != 0) { $items[] = array( 'title' => 'Email Forward', 'target' => 'content', 'link' => 'mail/mail_forward_list.php', 'html_id' => 'mail_forward_list'); } -if($app->auth->get_client_limit($userid, 'mailcatchall') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailcatchall') != 0) { $items[] = array( 'title' => 'Email Catchall', 'target' => 'content', 'link' => 'mail/mail_domain_catchall_list.php', 'html_id' => 'mail_domain_catchall_list'); } -if(! $app->auth->is_admin() && $app->auth->get_client_limit($userid, 'mail_wblist') != 0) -{ +if(! $app->auth->is_admin() && $app->auth->get_client_limit($userid, 'mail_wblist') != 0) { $items[] = array( 'title' => 'Email Whitelist', 'target' => 'content', 'link' => 'mail/mail_whitelist_list.php', @@ -74,8 +67,7 @@ if(! $app->auth->is_admin() && $app->auth->get_client_limit($userid, 'mail_wblis 'link' => 'mail/mail_blacklist_list.php', 'html_id' => 'mail_blacklist_list'); -if($app->auth->get_client_limit($userid, 'mailrouting') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailrouting') != 0) { $items[] = array( 'title' => 'Email Routing', 'target' => 'content', 'link' => 'mail/mail_transport_list.php', @@ -84,8 +76,7 @@ if($app->auth->get_client_limit($userid, 'mailrouting') != 0) } -if(count($items) && $app->system->has_service($userid, 'mail')) -{ +if(count($items) && $app->system->has_service($userid, 'mail')) { $module['nav'][] = array( 'title' => 'Email Accounts', 'open' => 1, 'items' => $items); @@ -94,16 +85,14 @@ if(count($items) && $app->system->has_service($userid, 'mail')) //**** Mailinglist menu $items = array(); -if($app->auth->get_client_limit($userid, 'mailmailinglist') != 0) -{ +if($app->auth->get_client_limit($userid, 'mailmailinglist') != 0) { $items[] = array( 'title' => 'Mailing List', 'target' => 'content', 'link' => 'mail/mail_mailinglist_list.php', 'html_id' => 'mail_mailinglist_list'); } -if(count($items) && $app->system->has_service($userid, 'mail')) -{ +if(count($items) && $app->system->has_service($userid, 'mail')) { $module['nav'][] = array( 'title' => 'Mailing List', 'open' => 1, 'items' => $items); @@ -112,8 +101,7 @@ if(count($items) && $app->system->has_service($userid, 'mail')) //**** Spamfilter menu $items = array(); -if($app->auth->get_client_limit($userid, 'spamfilter_wblist') != 0) -{ +if($app->auth->get_client_limit($userid, 'spamfilter_wblist') != 0) { $items[] = array( 'title' => 'Whitelist', 'target' => 'content', 'link' => 'mail/spamfilter_whitelist_list.php', @@ -125,8 +113,7 @@ if($app->auth->get_client_limit($userid, 'spamfilter_wblist') != 0) 'html_id' => 'spamfilter_blacklist_list'); } -if($app->auth->is_admin()) -{ +if($app->auth->is_admin()) { $items[] = array( 'title' => 'User / Domain', 'target' => 'content', 'link' => 'mail/spamfilter_users_list.php', @@ -142,8 +129,7 @@ if($app->auth->is_admin()) // 'link' => 'mail/spamfilter_config_list.php'); } -if(count($items)) -{ +if(count($items)) { $module['nav'][] = array( 'title' => 'Spamfilter', 'open' => 1, 'items' => $items); @@ -152,8 +138,7 @@ if(count($items)) //**** Fetchmail menu $items = array(); -if($app->auth->get_client_limit($userid, 'fetchmail') != 0) -{ +if($app->auth->get_client_limit($userid, 'fetchmail') != 0) { $items[] = array( 'title' => 'Fetchmail', 'target' => 'content', 'link' => 'mail/mail_get_list.php', @@ -168,24 +153,21 @@ if($app->auth->get_client_limit($userid, 'fetchmail') != 0) if ($app->system->has_service($userid, 'xmpp')) { $items = array(); - if($app->auth->get_client_limit($userid, 'xmpp_domain') != 0) - { + if($app->auth->get_client_limit($userid, 'xmpp_domain') != 0) { $items[] = array( 'title' => 'XMPP Domain', 'target' => 'content', 'link' => 'mail/xmpp_domain_list.php', 'html_id' => 'xmpp_domain_list'); } - if($app->auth->get_client_limit($userid, 'xmpp_user') != 0) - { + if($app->auth->get_client_limit($userid, 'xmpp_user') != 0) { $items[] = array( 'title' => 'XMPP Account', 'target' => 'content', 'link' => 'mail/xmpp_user_list.php', 'html_id' => 'xmpp_user_list'); } - if(count($items)) - { + if(count($items)) { $module['nav'][] = array( 'title' => 'Jabber / XMPP', 'open' => 1, 'items' => $items); @@ -207,8 +189,7 @@ $items[] = array( 'title' => 'Mailbox traffic', 'link' => 'mail/mail_user_stats.php', 'html_id' => 'mail_user_stats'); -if($app->auth->get_client_limit($userid, 'backup') == 'y') -{ +if($app->auth->get_client_limit($userid, 'mail_backup') != 'n') { $items[] = array ( 'title' => 'Backup Stats', 'target' => 'content', @@ -223,8 +204,7 @@ $module['nav'][] = array( 'title' => 'Statistics', //**** Global filters menu $items = array(); -if($app->auth->is_admin()) -{ +if($app->auth->is_admin()) { $items[] = array( 'title' => 'Postfix Whitelist', 'target' => 'content', 'link' => 'mail/mail_whitelist_list.php', diff --git a/interface/web/mailuser/lib/lang/it_index.lng b/interface/web/mailuser/lib/lang/it_index.lng index b0d9555d651f753191d452782bc99dafdc63cd07..41cd1a2532102f03425824687fb3ad61fd539309 100644 --- a/interface/web/mailuser/lib/lang/it_index.lng +++ b/interface/web/mailuser/lib/lang/it_index.lng @@ -1,6 +1,6 @@ <?php -$wb['page_head_txt'] = 'Impostazioni casela di posta'; -$wb['page_desc_txt'] = 'Qui puoi editare le impostazioni per gli account email.'; +$wb['page_head_txt'] = 'Impostazioni casella di posta'; +$wb['page_desc_txt'] = 'Qui puoi editare le impostazioni per i profili email.'; $wb['email_txt'] = 'Indirizzo Email '; $wb['login_txt'] = 'Accedi'; $wb['server_address_txt'] = 'Indirizzo server di posta'; diff --git a/interface/web/mailuser/lib/lang/it_mail_user_cc.lng b/interface/web/mailuser/lib/lang/it_mail_user_cc.lng index 49c4fe904b803b9e7a60614cbaab8d671462af3a..2bf71b1de93e8807b9570d378b9a84bc391fa783 100644 --- a/interface/web/mailuser/lib/lang/it_mail_user_cc.lng +++ b/interface/web/mailuser/lib/lang/it_mail_user_cc.lng @@ -4,9 +4,9 @@ $wb['cc_txt'] = 'Manda copia a'; $wb['email_txt'] = 'Email'; $wb['email_txt'] = 'E-mail ricevute da'; $wb['cc_error_isemail'] = 'Indirizzo e-mail non valido'; -$wb['email_is_cc_error'] = 'Specificare un indirizzo e-mail diverso dalll\'attuale e-mail.'; +$wb['email_is_cc_error'] = 'Specificare un indirizzo e-mail diverso dall\'attuale e-mail.'; $wb['name_optional_txt'] = '(Opzionale)'; $wb['cc_note_txt'] = '(Separare con una virgola e-mail multiple)'; -$wb['forward_in_lda_txt'] = 'Copy during delivery'; -$wb['tooltip_forward_in_lda_txt'] = 'Controls if mail copy is forwarded before or during delivery to mailbox.'; +$wb['forward_in_lda_txt'] = 'Copia durante la consegna'; +$wb['tooltip_forward_in_lda_txt'] = 'Controlla se copia della mail viene inoltrata prima o durante la consegna alla casella di posta.'; ?> diff --git a/interface/web/mailuser/lib/lang/it_mail_user_filter.lng b/interface/web/mailuser/lib/lang/it_mail_user_filter.lng index 77f47f1c4c456541d6d8bf827ac22ea3c5566cd3..6a1ec61d52c7be44716354c444d3b1c7c4e31c5e 100644 --- a/interface/web/mailuser/lib/lang/it_mail_user_filter.lng +++ b/interface/web/mailuser/lib/lang/it_mail_user_filter.lng @@ -18,8 +18,8 @@ $wb['ends_with_txt'] = 'Termina con'; $wb['move_to_txt'] = 'Sposta in'; $wb['regex_txt'] = 'Matches Regex'; $wb['delete_txt'] = 'Elimina'; -$wb['mailbox_filter_txt'] = 'Mailbox filter'; -$wb['header_txt'] = 'Header'; -$wb['size_over_txt'] = 'Email size over (KB)'; -$wb['size_under_txt'] = 'Email size under (KB)'; +$wb['mailbox_filter_txt'] = 'Mailbox filtro'; +$wb['header_txt'] = 'Intestazione'; +$wb['size_over_txt'] = 'dimensione Email sopra (KB)'; +$wb['size_under_txt'] = 'dimensione Email sotto (KB)'; ?> diff --git a/interface/web/mailuser/lib/lang/it_mail_user_filter_list.lng b/interface/web/mailuser/lib/lang/it_mail_user_filter_list.lng index e391368e0994e0a00776a9c9fbcdc39488fd1cbb..7970040a867cbc8c9d7681eee32a8d2d6a082c7d 100644 --- a/interface/web/mailuser/lib/lang/it_mail_user_filter_list.lng +++ b/interface/web/mailuser/lib/lang/it_mail_user_filter_list.lng @@ -1,8 +1,8 @@ <?php -$wb['list_head_txt'] = 'Email filter rules'; +$wb['list_head_txt'] = 'Regole di filtro della Email'; $wb['rulename_txt'] = 'Nome'; $wb['add_new_record_txt'] = 'Aggiungi un nuovo Filter'; -$wb['page_txt'] = 'Page'; -$wb['page_of_txt'] = 'of'; -$wb['delete_confirmation'] = 'Do you really want to delete the mailfilter?'; +$wb['page_txt'] = 'Pagina'; +$wb['page_of_txt'] = 'di'; +$wb['delete_confirmation'] = 'Vuoi veramente cancellare il filtro della mail??'; ?> diff --git a/interface/web/mailuser/lib/lang/it_mail_user_spamfilter.lng b/interface/web/mailuser/lib/lang/it_mail_user_spamfilter.lng index 17c811f115ea70ab786cc8cad68ff27daab42536..96cd80f04afe9668baf49fcf3919188398ccf393 100644 --- a/interface/web/mailuser/lib/lang/it_mail_user_spamfilter.lng +++ b/interface/web/mailuser/lib/lang/it_mail_user_spamfilter.lng @@ -2,6 +2,6 @@ $wb['mailbox_spamfilter_txt'] = 'Filtro SPAM'; $wb['spamfilter_txt'] = 'Filtro SPAM'; $wb['email_txt'] = 'E-mail'; -$wb['inherit_policy'] = '- Inherit domain setting -'; -$wb['policy_txt'] = 'Policy'; +$wb['inherit_policy'] = '- Ingloba le impostazioni del dominio -'; +$wb['policy_txt'] = 'Politica'; ?> diff --git a/interface/web/monitor/lib/lang/ar_syslog_list.lng b/interface/web/monitor/lib/lang/ar_syslog_list.lng index c1b8ce74baafe80a4eab37476c79896958630515..256c0cb1ec313cb0af47557ca959f3de97b24684 100644 --- a/interface/web/monitor/lib/lang/ar_syslog_list.lng +++ b/interface/web/monitor/lib/lang/ar_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Loglevel'; $wb['message_txt'] = 'Message'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/bg_syslog_list.lng b/interface/web/monitor/lib/lang/bg_syslog_list.lng index ef607637ead01e643ce70c1522806296568c8798..ceec6c7d72d52dd3f0ca11ea535f4a374656b9a5 100644 --- a/interface/web/monitor/lib/lang/bg_syslog_list.lng +++ b/interface/web/monitor/lib/lang/bg_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Loglevel'; $wb['message_txt'] = 'Съобщение'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/br_syslog_list.lng b/interface/web/monitor/lib/lang/br_syslog_list.lng index ca97be1ab9037a7e912daf10c664b5fa0ac800cc..24118b48302b57b9ccff0445ebc2a2d83fe14c4e 100644 --- a/interface/web/monitor/lib/lang/br_syslog_list.lng +++ b/interface/web/monitor/lib/lang/br_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'NÃvel'; $wb['message_txt'] = 'Mensagem'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/ca_syslog_list.lng b/interface/web/monitor/lib/lang/ca_syslog_list.lng index da918d516f5488d4ad75cb2fb2519dbe63fc1afa..19396b5ca257d1aefcffd22e2b399bdda16301ce 100644 --- a/interface/web/monitor/lib/lang/ca_syslog_list.lng +++ b/interface/web/monitor/lib/lang/ca_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Niveau de log '; $wb['message_txt'] = 'Message'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/cz_syslog_list.lng b/interface/web/monitor/lib/lang/cz_syslog_list.lng index de265128832d237a66528318916c04d05861cdde..5fa66e066e51cd228c5f577d4a49c9d7645ad804 100644 --- a/interface/web/monitor/lib/lang/cz_syslog_list.lng +++ b/interface/web/monitor/lib/lang/cz_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Úroveň protokolu'; $wb['message_txt'] = 'Zpráva'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/de_syslog_list.lng b/interface/web/monitor/lib/lang/de_syslog_list.lng index 527fd72a1f6133189b0fd70739e60ddaf554d7ac..6ee36a677bbdb35401f07cf1c37a0267abfebf4c 100644 --- a/interface/web/monitor/lib/lang/de_syslog_list.lng +++ b/interface/web/monitor/lib/lang/de_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Protokoll-Level'; $wb['message_txt'] = 'Nachricht'; $wb['batch_delete_errors_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/dk_syslog_list.lng b/interface/web/monitor/lib/lang/dk_syslog_list.lng index 082f59c00a20bfb286cf99e714dce6ca207181e2..22fbadfd1d3b9c5c218f730206a3c73efba9f68d 100644 --- a/interface/web/monitor/lib/lang/dk_syslog_list.lng +++ b/interface/web/monitor/lib/lang/dk_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Loglevel'; $wb['message_txt'] = 'Meddelelse'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/el_syslog_list.lng b/interface/web/monitor/lib/lang/el_syslog_list.lng index 7a26a826b4ef8e0f5acd662c434a8612db09312b..1eb4831e889f3fd05e31461144ad8519ea93cbcc 100644 --- a/interface/web/monitor/lib/lang/el_syslog_list.lng +++ b/interface/web/monitor/lib/lang/el_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Επίπεδο καταγÏαφής'; $wb['message_txt'] = 'Μήνυμα'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/en_syslog_list.lng b/interface/web/monitor/lib/lang/en_syslog_list.lng index c1b8ce74baafe80a4eab37476c79896958630515..256c0cb1ec313cb0af47557ca959f3de97b24684 100644 --- a/interface/web/monitor/lib/lang/en_syslog_list.lng +++ b/interface/web/monitor/lib/lang/en_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Loglevel'; $wb['message_txt'] = 'Message'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/es_syslog_list.lng b/interface/web/monitor/lib/lang/es_syslog_list.lng index 0e32c8ff722a025a2cb201d028db2a3d97656781..38cb93e098d57325b00bb5a8d55ff8421fa3d9f5 100644 --- a/interface/web/monitor/lib/lang/es_syslog_list.lng +++ b/interface/web/monitor/lib/lang/es_syslog_list.lng @@ -6,5 +6,5 @@ $wb['server_id_txt'] = 'Servidor'; $wb['tstamp_txt'] = 'Fecha'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/fi_syslog_list.lng b/interface/web/monitor/lib/lang/fi_syslog_list.lng index 65e7e4e6a5219962171b2b311b77cb7150878e02..842ed0133552c658960081bc985a7ca36d585d87 100644 --- a/interface/web/monitor/lib/lang/fi_syslog_list.lng +++ b/interface/web/monitor/lib/lang/fi_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Lokitaso'; $wb['message_txt'] = 'Viesti'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/fr_syslog_list.lng b/interface/web/monitor/lib/lang/fr_syslog_list.lng index da918d516f5488d4ad75cb2fb2519dbe63fc1afa..19396b5ca257d1aefcffd22e2b399bdda16301ce 100644 --- a/interface/web/monitor/lib/lang/fr_syslog_list.lng +++ b/interface/web/monitor/lib/lang/fr_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Niveau de log '; $wb['message_txt'] = 'Message'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/hr_syslog_list.lng b/interface/web/monitor/lib/lang/hr_syslog_list.lng index 13f29325987161c9ada5a7672f22934d49806fd4..8a62c6248906616780554da673661e79a9f5ea06 100644 --- a/interface/web/monitor/lib/lang/hr_syslog_list.lng +++ b/interface/web/monitor/lib/lang/hr_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Logovi'; $wb['message_txt'] = 'Poruka'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/hu_syslog_list.lng b/interface/web/monitor/lib/lang/hu_syslog_list.lng index 1ce56abfc3ee9e8cee337a2755fea77aca750552..21ef2bfcdf9f0933bd0bebaa1877e1b810ba1f20 100644 --- a/interface/web/monitor/lib/lang/hu_syslog_list.lng +++ b/interface/web/monitor/lib/lang/hu_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Naplózási szint'; $wb['message_txt'] = 'Ãœzenet'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/id_syslog_list.lng b/interface/web/monitor/lib/lang/id_syslog_list.lng index 060fbd8f1934a72b9e7511afb7840036f95ac721..a06f5e3d711c1ef986b2ece88601729750390651 100644 --- a/interface/web/monitor/lib/lang/id_syslog_list.lng +++ b/interface/web/monitor/lib/lang/id_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Tingkatan Log'; $wb['message_txt'] = 'Pesan'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/it_dataloghistory_list.lng b/interface/web/monitor/lib/lang/it_dataloghistory_list.lng index f1ba8c67b8eed44c916f66d91ec4bd7a1af49872..26138fba2503ea9a37ee24d3a3e010b82e6e6d83 100644 --- a/interface/web/monitor/lib/lang/it_dataloghistory_list.lng +++ b/interface/web/monitor/lib/lang/it_dataloghistory_list.lng @@ -2,7 +2,7 @@ $wb['list_head_txt'] = 'Datalog History'; $wb['tstamp_txt'] = 'Date'; $wb['server_id_txt'] = 'Server'; -$wb['dbtable_txt'] = 'DB Table'; -$wb['action_txt'] = 'Action'; -$wb['status_txt'] = 'Status'; +$wb['dbtable_txt'] = 'Tabella DB'; +$wb['action_txt'] = 'Azione'; +$wb['status_txt'] = 'Stato'; ?> diff --git a/interface/web/monitor/lib/lang/it_dataloghistory_undo.lng b/interface/web/monitor/lib/lang/it_dataloghistory_undo.lng index 0e040a3e77d48b89a779f7c7d3fb4198df0fe02e..32b9fb57a0e28b678d62f16be4534a087cc32219 100644 --- a/interface/web/monitor/lib/lang/it_dataloghistory_undo.lng +++ b/interface/web/monitor/lib/lang/it_dataloghistory_undo.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'Data Log History Entry'; -$wb['success_txt'] = 'Undo successful'; -$wb['error_txt'] = 'Error during undo: Record does not exist anymore'; -$wb['error_undelete_txt'] = 'Error during undelete: Record with primary id already existing.'; -$wb['btn_cancel_txt'] = 'Back'; +$wb['list_head_txt'] = 'Elemento della History'; +$wb['success_txt'] = 'Annulla modifica eseguit con successo'; +$wb['error_txt'] = 'Errore durinte annulla modifica: il record non è più presente'; +$wb['error_undelete_txt'] = 'Errore durinte annulla modifica: il record con ID primario è già presente.'; +$wb['btn_cancel_txt'] = 'Indietro'; ?> diff --git a/interface/web/monitor/lib/lang/it_dataloghistory_view.lng b/interface/web/monitor/lib/lang/it_dataloghistory_view.lng index df9ddd286f46e816e06132e7465929ab8dd87229..3951e6b87302df1403271b43dacd651000aca383 100644 --- a/interface/web/monitor/lib/lang/it_dataloghistory_view.lng +++ b/interface/web/monitor/lib/lang/it_dataloghistory_view.lng @@ -1,26 +1,26 @@ <?php -$wb['i'] = 'Insert'; -$wb['u'] = 'Update'; -$wb['d'] = 'Delete'; -$wb['list_head_txt'] = 'Data Log History Entry'; +$wb['i'] = 'Inserisci'; +$wb['u'] = 'Aggiorna'; +$wb['d'] = 'Cancella'; +$wb['list_head_txt'] = 'Elemento ddella Log History'; $wb['id_txt'] = 'ID'; -$wb['timestamp_txt'] = 'Timestamp'; -$wb['table_txt'] = 'Table'; -$wb['action_txt'] = 'Action'; -$wb['session_id_txt'] = 'Session ID'; -$wb['fields_txt'] = 'Fields'; -$wb['fields_inserted_txt'] = 'Inserted Fields'; -$wb['fields_updated_txt'] = 'Updated Fields'; -$wb['fields_deleted_txt'] = 'Deleted Fields'; -$wb['no_changes_txt'] = 'No changes (re-sync)'; -$wb['is_diff_txt'] = 'The differences are highlighted'; -$wb['is_diff_inserts_txt'] = 'Insertions'; -$wb['is_diff_deletes_txt'] = 'Deletions'; -$wb['field_txt'] = 'Field'; -$wb['value_txt'] = 'Value'; -$wb['old_txt'] = 'Old'; -$wb['new_txt'] = 'New'; -$wb['btn_cancel_txt'] = 'Back'; -$wb['undo_txt'] = 'Undo action'; -$wb['undo_confirmation_txt'] = 'Do you really want to undo this action?'; +$wb['timestamp_txt'] = 'Data/Ora'; +$wb['table_txt'] = 'Tabella'; +$wb['action_txt'] = 'Azione'; +$wb['session_id_txt'] = 'ID di Sessione'; +$wb['fields_txt'] = 'Campi'; +$wb['fields_inserted_txt'] = 'Campi inseriti'; +$wb['fields_updated_txt'] = 'Campi aggiornati'; +$wb['fields_deleted_txt'] = 'Campi cancellati'; +$wb['no_changes_txt'] = 'Nessun cambiamento (risincronizza)'; +$wb['is_diff_txt'] = 'Le differenze sono evidenziate'; +$wb['is_diff_inserts_txt'] = 'Inserimenti'; +$wb['is_diff_deletes_txt'] = 'Cancellazioni'; +$wb['field_txt'] = 'Campo'; +$wb['value_txt'] = 'Valore'; +$wb['old_txt'] = 'Precedente'; +$wb['new_txt'] = 'Nuovo'; +$wb['btn_cancel_txt'] = 'Indietro'; +$wb['undo_txt'] = 'Annulla modifica'; +$wb['undo_confirmation_txt'] = 'Vuoi veramente annullare la modifica?'; ?> diff --git a/interface/web/monitor/lib/lang/it_syslog_list.lng b/interface/web/monitor/lib/lang/it_syslog_list.lng index b5894bb43f8fa0b70c5f53a057036ecd054239ea..c67c716e3b4046a2c8e663ef7de4e09f93e7c0cc 100644 --- a/interface/web/monitor/lib/lang/it_syslog_list.lng +++ b/interface/web/monitor/lib/lang/it_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Livello log'; $wb['message_txt'] = 'Messaggio'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/ja_syslog_list.lng b/interface/web/monitor/lib/lang/ja_syslog_list.lng index 51630cc32d1e1cd3470118304d20b0b845777c64..bda73f402b2df2965fe579c810f7673ddae4b9b3 100644 --- a/interface/web/monitor/lib/lang/ja_syslog_list.lng +++ b/interface/web/monitor/lib/lang/ja_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'ãƒã‚°ãƒ¬ãƒ™ãƒ«'; $wb['message_txt'] = 'メッセージ'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/nl_syslog_list.lng b/interface/web/monitor/lib/lang/nl_syslog_list.lng index 2f9531a5c37a8c591f09b8e1cf1263a5f262c3a6..b084d9120d8b29230add3d3bdee48465ea4fbd11 100644 --- a/interface/web/monitor/lib/lang/nl_syslog_list.lng +++ b/interface/web/monitor/lib/lang/nl_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Log niveau'; $wb['message_txt'] = 'Bericht'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/pl_syslog_list.lng b/interface/web/monitor/lib/lang/pl_syslog_list.lng index 7ad1a7f4c0778ee6f3662f4e77e01e0dcb7bc04a..efd50405ed247a2c7b5d64a975e73b59efe8d15e 100644 --- a/interface/web/monitor/lib/lang/pl_syslog_list.lng +++ b/interface/web/monitor/lib/lang/pl_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Poziom logowania'; $wb['message_txt'] = 'Wiadomość'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/pt_syslog_list.lng b/interface/web/monitor/lib/lang/pt_syslog_list.lng index e1868612450138e7dbe9f27a0b32c0eaa57b405e..9d9189d72056ed971ada50b9a2561969862b7323 100644 --- a/interface/web/monitor/lib/lang/pt_syslog_list.lng +++ b/interface/web/monitor/lib/lang/pt_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'NÃvel do Log'; $wb['message_txt'] = 'Mensagem'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/ro_syslog_list.lng b/interface/web/monitor/lib/lang/ro_syslog_list.lng index 62b0801cc11f57949c3d319beab2dc3ec524465c..617fbed9b9ab02caefdf4e88f2632aa8e7f4cb10 100644 --- a/interface/web/monitor/lib/lang/ro_syslog_list.lng +++ b/interface/web/monitor/lib/lang/ro_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Loglevel'; $wb['message_txt'] = 'Mesaj'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/ru_syslog_list.lng b/interface/web/monitor/lib/lang/ru_syslog_list.lng index 0b4a8418accd9b89b6cc6388d95d5626610d498a..adeed60a3c0caf7dd9a92044256e92f4bfe83eee 100644 --- a/interface/web/monitor/lib/lang/ru_syslog_list.lng +++ b/interface/web/monitor/lib/lang/ru_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Уровень журналированиÑ'; $wb['message_txt'] = 'Сообщение'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/se_syslog_list.lng b/interface/web/monitor/lib/lang/se_syslog_list.lng index aaa45b8a51ae335a0880fd95d9ff081d07fcc593..c0ad7a2466a666ed1e2a7c77f7e9a662e9e48aae 100644 --- a/interface/web/monitor/lib/lang/se_syslog_list.lng +++ b/interface/web/monitor/lib/lang/se_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'LoggnivÃ¥'; $wb['message_txt'] = 'Meddelande'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/sk_syslog_list.lng b/interface/web/monitor/lib/lang/sk_syslog_list.lng index 6696f4064ee8611f9ab2d23f6d4c89d3eaebf6d3..5a01e6bef694d7f415e8e460d7493aaa8e504c8d 100644 --- a/interface/web/monitor/lib/lang/sk_syslog_list.lng +++ b/interface/web/monitor/lib/lang/sk_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Úroveň logovania'; $wb['message_txt'] = 'Správa'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/monitor/lib/lang/tr_syslog_list.lng b/interface/web/monitor/lib/lang/tr_syslog_list.lng index 8b7dc81b1b4721b9c0cee00549220eb03bfd1c2a..67a63387fa9ccbe1567a9a0c5a27f7183a076190 100644 --- a/interface/web/monitor/lib/lang/tr_syslog_list.lng +++ b/interface/web/monitor/lib/lang/tr_syslog_list.lng @@ -6,5 +6,5 @@ $wb['loglevel_txt'] = 'Günlükleme Düzeyi'; $wb['message_txt'] = 'Ä°leti'; $wb['batch_delete_warnings_txt'] = 'Remove all warnings'; $wb['batch_delete_errors_txt'] = 'Remove all errors'; -$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?' +$wb['batch_delete_confirmation'] = 'Are you sure you want to acknowledge all log entries?'; ?> diff --git a/interface/web/sites/lib/lang/it_aps.lng b/interface/web/sites/lib/lang/it_aps.lng index 0a6365f98f2b1eee54e80e88d6b59223347ca661..b075afda16dd47621d3c6287e92cae276a4d4d61 100644 --- a/interface/web/sites/lib/lang/it_aps.lng +++ b/interface/web/sites/lib/lang/it_aps.lng @@ -35,7 +35,7 @@ $wb['package_settings_txt'] = 'Impostazioni Pacchetto'; $wb['error_main_domain'] = 'Il dominio del percorso di installazione è errato.'; $wb['error_no_main_location'] = 'Hai fornito un percorso di installazione non valido.'; $wb['error_inv_main_location'] = 'La cartella di installazione fornita non è valida.'; -$wb['error_license_agreement'] = 'Per poter proseguire è necessario che prendi visione ed accetti l accordi di licenza.'; +$wb['error_license_agreement'] = 'Per poter proseguire è necessario che prendi visione ed accetti gli accordi di licenza.'; $wb['error_no_database_pw'] = 'La password fornita non è valida.'; $wb['error_short_database_pw'] = 'Per favore scegli una password di database più lunga.'; $wb['error_no_value_for'] = 'Il campo \\"%s\\" non può essere vuoto.'; @@ -45,8 +45,8 @@ $wb['error_inv_value_for'] = 'Hai inserito un valore non valido per il campo \\" $wb['error_inv_email_for'] = 'Hai inserito un indirizzo email non valido per il campo \\"%s\\".'; $wb['error_inv_domain_for'] = 'Hai inserito un dominio non valido per il campo \\"%s\\".'; $wb['error_inv_integer_for'] = 'Hai inserito un numero non valido per il campo \\"%s\\".'; -$wb['error_inv_float_for'] = 'Hai inserito un numero di floating point non valido per il campo \\"%s\\".'; -$wb['error_used_location'] = 'L installazione della patch contiene già un pacchetto di installazione.'; +$wb['error_inv_float_for'] = 'Hai inserito un numero decimale non valido per il campo \\"%s\\".'; +$wb['error_used_location'] = 'L\'installazione della patch contiene già un pacchetto di installazione.'; $wb['installation_task_txt'] = 'Installazione pianificata'; $wb['installation_error_txt'] = 'Errore di installazione'; $wb['installation_success_txt'] = 'Installato'; @@ -54,7 +54,7 @@ $wb['installation_remove_txt'] = 'Rimozione pianificata'; $wb['packagelist_update_finished_txt'] = 'Elenco aggiornamenti APS terminato.'; $wb['btn_install_txt'] = 'Installa'; $wb['btn_cancel_txt'] = 'Annulla'; -$wb['limit_aps_txt'] = 'Nmero massimo di istanza APS raggiunto per il tuo account.'; +$wb['limit_aps_txt'] = 'Nmero massimo di istanza APS raggiunto per il tuo profilo.'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; diff --git a/interface/web/sites/lib/lang/it_backup_stats_list.lng b/interface/web/sites/lib/lang/it_backup_stats_list.lng index 65792aa591054d676f942164b40a0c7c3696825c..34645126a3be92d1e7a45970e34082a426d3871f 100644 --- a/interface/web/sites/lib/lang/it_backup_stats_list.lng +++ b/interface/web/sites/lib/lang/it_backup_stats_list.lng @@ -1,10 +1,10 @@ <?php -$wb['list_head_txt'] = 'Backup Stats'; +$wb['list_head_txt'] = 'Backup Statistiche'; $wb['database_name_txt'] = ''; -$wb['active_txt'] = 'Active'; -$wb['domain_txt'] = 'Domain'; -$wb['backup_count_txt'] = 'Backup count'; +$wb['active_txt'] = 'Attivo'; +$wb['domain_txt'] = 'Dominio'; +$wb['backup_count_txt'] = 'Numero di Backup'; $wb['backup_server_txt'] = 'Server'; -$wb['backup_interval_txt'] = 'Interval / cnt.'; -$wb['backup_size_txt'] = 'Backupsize'; +$wb['backup_interval_txt'] = 'Intervallo / cnt.'; +$wb['backup_size_txt'] = 'Dimensione Backup'; ?> diff --git a/interface/web/sites/lib/lang/it_cron.lng b/interface/web/sites/lib/lang/it_cron.lng index 1ecf489fe6fed6713e8a05b8af201cb8c056a784..ee38450186d2b0fcc92669cf560f27986c89f86e 100644 --- a/interface/web/sites/lib/lang/it_cron.lng +++ b/interface/web/sites/lib/lang/it_cron.lng @@ -1,6 +1,6 @@ <?php $wb['server_id_txt'] = 'Server'; -$wb['parent_domain_id_txt'] = 'Parent website'; +$wb['parent_domain_id_txt'] = 'Sito Web genitore'; $wb['active_txt'] = 'Attivo'; $wb['client_txt'] = 'Cliente'; $wb['run_min_txt'] = 'Minuti'; @@ -8,7 +8,7 @@ $wb['run_hour_txt'] = 'Ore'; $wb['run_mday_txt'] = 'Giorni del mese'; $wb['run_month_txt'] = 'Mesi'; $wb['run_wday_txt'] = 'Giorni della settimana'; -$wb['command_txt'] = 'Comando da lanciare(comandi eseguiti via sh, urls via wget)'; +$wb['command_txt'] = 'Comando da lanciare (comandi eseguiti via sh, urls via wget)'; $wb['limit_cron_txt'] = 'Hai raggiunto il numero massimo di cron jobs.'; $wb['limit_cron_frequency_txt'] = 'La frequenza del cron job supera il limite consentito.'; $wb['run_min_error_format'] = 'Formato non valido per minuti.'; @@ -21,6 +21,6 @@ $wb['unknown_fieldtype_error'] = 'Campo sconosciuto.'; $wb['server_id_error_empty'] = 'Server ID vuoto.'; $wb['limit_cron_url_txt'] = 'Solo URL cron. Per cortesia inserire una URL che inizi con https:// come comando cron.'; $wb['command_error_empty'] = 'Command vuoto.'; -$wb['command_hint_txt'] = 'e.g. /var/www/clients/clientX/webY/myscript.sh or https://www.mydomain.com/path/script.php, you can use [web_root] placeholder that is replaced by /var/www/clients/clientX/webY/web.'; +$wb['command_hint_txt'] = 'esempio: /var/www/clients/clientX/webY/myscript.sh o https://www.mydomain.com/path/script.php, puoi usare [web_root] come sostitutivo che viene rimpiazzato da /var/www/clients/clientX/webY/web.'; $wb['log_output_txt'] = 'Log output'; ?> diff --git a/interface/web/sites/lib/lang/it_database.lng b/interface/web/sites/lib/lang/it_database.lng index 007daaa00235c329cb627d15acb61dfb60e8a7ce..ba9be340915fc9313dc302ce08c5bd1f7df14fb4 100644 --- a/interface/web/sites/lib/lang/it_database.lng +++ b/interface/web/sites/lib/lang/it_database.lng @@ -10,7 +10,7 @@ $wb['remote_access_txt'] = 'Accesso remoto'; $wb['client_txt'] = 'Cliente'; $wb['active_txt'] = 'Attivo'; $wb['database_name_error_empty'] = 'Il nome database è vuoto.'; -$wb['database_name_error_unique'] = 'Esiste già un nome di database con questo nome sul server. Per ottenere un nome unico, ad esempio. preponi il nome del tuo dominio al nome di database.'; +$wb['database_name_error_unique'] = 'Esiste già un database con questo nome sul server. Per ottenere un nome unico, ad esempio, preponi il nome del tuo dominio al nome di database.'; $wb['database_name_error_regex'] = 'Nome database non valido. Il nome database può contenere i seguenti caratteri: a-z, A-Z, 0-9 e underscore. Lungheezza: 2 - 64 caratteri.'; $wb['database_user_error_empty'] = 'Utente Database vuoto.'; $wb['database_user_error_unique'] = 'Esiste già un utente di database con questo nome sul server. Per ottenere un nome unico, ad esempio. preponi il nome del tuo dominio al nome utente.'; @@ -18,7 +18,7 @@ $wb['database_user_error_regex'] = 'Nome utente database non valido. Il nome ute $wb['limit_database_txt'] = 'Numero massimo di databases raggiunto.'; $wb['database_name_change_txt'] = 'Il nome di database non può essere modificato'; $wb['database_charset_change_txt'] = 'Il charset per il database non può essere modificato'; -$wb['remote_ips_txt'] = 'Accesso IP remoti(separa con , e lascia campo vuoto per <i>qualunque</i>)'; +$wb['remote_ips_txt'] = 'Accesso IP remoti (separa con , e lascia campo vuoto per <i>qualunque</i>)'; $wb['database_remote_error_ips'] = 'Almeno uno degli indirizzi IP inseriti non è valido.'; $wb['database_name_error_len'] = 'Nome Database - {db} - troppo lungo. La lunghezza massima compreso il prefisso è di 64 caratteri.'; $wb['database_user_error_len'] = 'Nome utente Database - {user}- troppo lungo. La lunghezza massima compreso il prefisso è di 16 caratteri.'; @@ -33,7 +33,7 @@ $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; $wb['globalsearch_resultslimit_of_txt'] = 'di'; $wb['globalsearch_resultslimit_results_txt'] = 'risultati'; -$wb['globalsearch_noresults_text_txt'] = 'Nesuun risultato.'; +$wb['globalsearch_noresults_text_txt'] = 'Nessun risultato.'; $wb['globalsearch_noresults_limit_txt'] = '0 risultati'; $wb['globalsearch_searchfield_watermark_txt'] = 'Cerca'; $wb['globalsearch_suggestions_text_txt'] = 'Suggerimenti'; @@ -41,10 +41,10 @@ $wb['database_ro_user_txt'] = 'Utente database di sola lettura'; $wb['optional_txt'] = 'opzionale'; $wb['select_dbuser_txt'] = 'Seleziona utente database'; $wb['no_dbuser_txt'] = 'Nessuno'; -$wb['database_client_differs_txt'] = 'Il cliente del sito parent e il database non coincidono.'; +$wb['database_client_differs_txt'] = 'Il cliente del sito genitore e il database non coincidono.'; $wb['database_user_missing_txt'] = 'Per favore selezionare un utente per questo database.'; $wb['limit_database_quota_txt'] = 'Database quota'; -$wb['limit_database_quota_error_notint'] = 'The database quota limit must be a number.'; -$wb['limit_database_quota_free_txt'] = 'Max. available DB quota '; -$wb['limit_database_quota_not_0_txt']= 'Database quota can not be 0'; +$wb['limit_database_quota_error_notint'] = 'La quota del database deve essere un numero positivo.'; +$wb['limit_database_quota_free_txt'] = 'Quota DB disponibile '; +$wb['limit_database_quota_not_0_txt'] = 'La quota Database non può essere 0'; ?> diff --git a/interface/web/sites/lib/lang/it_database_list.lng b/interface/web/sites/lib/lang/it_database_list.lng index 09abd791bb7928cccf7ecde5980ec40d2917dcbe..f4288fc2969c6c7fba7efe3450b91cd7d30a018a 100644 --- a/interface/web/sites/lib/lang/it_database_list.lng +++ b/interface/web/sites/lib/lang/it_database_list.lng @@ -7,5 +7,5 @@ $wb['database_name_txt'] = 'Nome Database'; $wb['add_new_record_txt'] = 'Aggiungi nuovo Database'; $wb['database_user_txt'] = 'Utente Database'; $wb['parent_domain_id_txt'] = 'Sito Web'; -$wb['type_txt'] = 'Type'; +$wb['type_txt'] = 'Tipo'; ?> diff --git a/interface/web/sites/lib/lang/it_database_quota_stats_list.lng b/interface/web/sites/lib/lang/it_database_quota_stats_list.lng index 50f2dcc496d1140a77dce8a25c7ee0a38fe1e277..21a2220e7f1cbb1244e1f589093794c33d6f694c 100644 --- a/interface/web/sites/lib/lang/it_database_quota_stats_list.lng +++ b/interface/web/sites/lib/lang/it_database_quota_stats_list.lng @@ -2,8 +2,8 @@ $wb['database_txt'] = 'Database'; $wb['server_name_txt'] = 'Server'; $wb['client_txt'] = 'Client'; -$wb['used_txt'] = 'Used space'; +$wb['used_txt'] = 'Spazio usato'; $wb['quota_txt'] = 'Quota'; -$wb['percentage_txt'] = 'Used in %'; +$wb['percentage_txt'] = 'Usato in %'; $wb['list_head_txt'] = 'Database Quota'; ?> diff --git a/interface/web/sites/lib/lang/it_database_user.lng b/interface/web/sites/lib/lang/it_database_user.lng index c0cb43b9d5bcdaa6a674413fa090785984d11cc1..c7692d686a516c3e724421c3dc16fdbd6313a1e5 100644 --- a/interface/web/sites/lib/lang/it_database_user.lng +++ b/interface/web/sites/lib/lang/it_database_user.lng @@ -15,11 +15,11 @@ $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; $wb['globalsearch_resultslimit_of_txt'] = 'of'; -$wb['globalsearch_resultslimit_results_txt'] = 'results'; -$wb['globalsearch_noresults_text_txt'] = 'Nessun results.'; -$wb['globalsearch_noresults_limit_txt'] = '0 results'; +$wb['globalsearch_resultslimit_results_txt'] = 'risultati'; +$wb['globalsearch_noresults_text_txt'] = 'Nessun risultato.'; +$wb['globalsearch_noresults_limit_txt'] = '0 risultati'; $wb['globalsearch_searchfield_watermark_txt'] = 'Cerca'; $wb['globalsearch_suggestions_text_txt'] = 'Suggerimenti'; -$wb['limit_database_user_txt'] = 'The max. number of database users is reached.'; -$wb['database_password_error_empty'] = 'Database password is empty.'; +$wb['limit_database_user_txt'] = 'Hai raggiunto il numero massimo di utenti database.'; +$wb['database_password_error_empty'] = 'La password del Database è vuota.'; ?> diff --git a/interface/web/sites/lib/lang/it_ftp_sites_stats_list.lng b/interface/web/sites/lib/lang/it_ftp_sites_stats_list.lng index e44025a715dbf435bdca9faee0b109ba25bf611d..e62f81b42966427d76c94948d441fc042ec561c4 100644 --- a/interface/web/sites/lib/lang/it_ftp_sites_stats_list.lng +++ b/interface/web/sites/lib/lang/it_ftp_sites_stats_list.lng @@ -1,10 +1,10 @@ <?php -$wb['list_head_txt'] = 'FTP traffic'; -$wb['domain_txt'] = 'Domain'; -$wb['this_month_txt'] = 'This month'; -$wb['last_month_txt'] = 'Last month'; -$wb['this_year_txt'] = 'This year'; -$wb['last_year_txt'] = 'Last year'; +$wb['list_head_txt'] = 'Traffico FTP'; +$wb['domain_txt'] = 'Dominio'; +$wb['this_month_txt'] = 'Questo mese'; +$wb['last_month_txt'] = 'Mese scorso'; +$wb['this_year_txt'] = 'Questo anno'; +$wb['last_year_txt'] = 'Anno scorso'; $wb['sum_txt'] = 'Sum (Download + Upload)'; $wb['in_out_txt'] = 'DL/UL'; ?> diff --git a/interface/web/sites/lib/lang/it_ftp_user.lng b/interface/web/sites/lib/lang/it_ftp_user.lng index 36b068335b0e67dcd7bd927226015b92ab8221f3..0a254471c5733470f1713871a887f01a7315a90b 100644 --- a/interface/web/sites/lib/lang/it_ftp_user.lng +++ b/interface/web/sites/lib/lang/it_ftp_user.lng @@ -2,7 +2,7 @@ $wb['uid_txt'] = 'UID'; $wb['gid_txt'] = 'GID'; $wb['dir_txt'] = 'Cartella'; -$wb['quota_files_txt'] = 'Filequota'; +$wb['quota_files_txt'] = 'Quota file'; $wb['ul_ratio_txt'] = 'Uploadratio'; $wb['dl_ratio_txt'] = 'Downloadratio'; $wb['ul_bandwidth_txt'] = 'Banda Upload'; @@ -14,11 +14,11 @@ $wb['password_txt'] = 'Password'; $wb['password_strength_txt'] = 'Livello sicurezza Password'; $wb['quota_size_txt'] = 'Quota Spazio Disco'; $wb['active_txt'] = 'Attivo'; -$wb['limit_ftp_user_txt'] = 'Hai raggiunto il numero masslimo consentito di utenti FTP per il tuo account.'; -$wb['username_error_empty'] = 'Nome utente vuoto.'; +$wb['limit_ftp_user_txt'] = 'Hai raggiunto il numero masslimo consentito di utenti FTP per il tuo profilo.'; +$wb['username_error_empty'] = 'Nome utente vuoto.'; $wb['username_error_unique'] = 'Nome utente deve essere unico.'; $wb['username_error_regex'] = 'Il nome utente contiene dei carateri che non sono ammessi.'; -$wb['quota_size_error_empty'] = 'Quota vuoto.'; +$wb['quota_size_error_empty'] = 'Quota vuoto.'; $wb['uid_error_empty'] = 'GID vuoto.'; $wb['directory_error_empty'] = 'Directory vuoto.'; $wb['quota_files_unity_txt'] = 'Files'; @@ -31,5 +31,5 @@ $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['expires_txt'] = 'Expire at'; +$wb['expires_txt'] = 'Scade il'; ?> diff --git a/interface/web/sites/lib/lang/it_shell_user.lng b/interface/web/sites/lib/lang/it_shell_user.lng index 53af373542e1aef7e5ceb4b476cfefda4d708d1f..a5fcf7e39be90269695ae8cfb825221aa5e6176b 100644 --- a/interface/web/sites/lib/lang/it_shell_user.lng +++ b/interface/web/sites/lib/lang/it_shell_user.lng @@ -12,25 +12,25 @@ $wb['active_txt'] = 'Attivo'; $wb['username_error_empty'] = 'Username vuoto.'; $wb['username_error_unique'] = 'Il nome utente deve essere unico.'; $wb['username_error_regex'] = 'Nome utente contiene caratteri non autorizzati.'; -$wb['quota_size_error_empty'] = 'Valore Quota vuoto.'; +$wb['quota_size_error_empty'] = 'Valore Quota vuoto.'; $wb['uid_error_empty'] = 'GID vuoto.'; $wb['directory_error_empty'] = 'Valore direttrice vuoto.'; $wb['limit_shell_user_txt'] = 'Numero massimo utenti shell raggiunto.'; $wb['parent_domain_id_error_empty'] = 'Nessun sito selezionato.'; $wb['puser_txt'] = 'Nome utente web'; $wb['pgroup_txt'] = 'Gruppo web'; -$wb['ssh_rsa_txt'] = 'SSH-RSA Public Key (for key-based logins)'; -$wb['dir_dot_error'] = 'Nessun .. consentito nel percorso.'; -$wb['dir_slashdot_error'] = 'Nessun ./ consentito nel percorso.'; +$wb['ssh_rsa_txt'] = 'SSH-Chiave RSA Pubblica (per login basati su chiave)'; +$wb['dir_dot_error'] = 'Non è consentito .. nel percorso.'; +$wb['dir_slashdot_error'] = 'Non è consentito ./ nel percorso.'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; $wb['username_must_not_exceed_32_chars_txt'] = 'il nome utente non deve superare i 32 caratteri.'; -$wb['username_not_allowed_txt'] = 'L utente non è autorizzato.'; +$wb['username_not_allowed_txt'] = 'L\'utente non è autorizzato.'; $wb['invalid_system_user_or_group_txt'] = 'Utenti di sistema o gruppo non valido'; -$wb['directory_error_regex'] = 'Direttrice non valida'; +$wb['directory_error_regex'] = 'Percorso cartelle non valida'; $wb['shell_error_regex'] = 'shell non valida'; $wb['invalid_username_txt'] = 'Nome utente non valido'; -$wb['directory_error_notinweb'] = 'La direttrice deve essere all interno della direttrice del sito .'; +$wb['directory_error_notinweb'] = 'La cartella deve essere all\'interno della cartella del sito .'; ?> diff --git a/interface/web/sites/lib/lang/it_web_aliasdomain.lng b/interface/web/sites/lib/lang/it_web_aliasdomain.lng index ee30db96a0df1812ca80d4efcc92bf3817591263..7ef46f8554b487836cdd5d525a00bdc9b68c8fc3 100644 --- a/interface/web/sites/lib/lang/it_web_aliasdomain.lng +++ b/interface/web/sites/lib/lang/it_web_aliasdomain.lng @@ -5,24 +5,24 @@ $wb['backup_copies_txt'] = 'Numero copie di backup'; $wb['ssl_state_txt'] = 'Stato'; $wb['ssl_locality_txt'] = 'Paese'; $wb['ssl_organisation_txt'] = 'Nome Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Nome Unità di organizzazione'; +$wb['ssl_organisation_unit_txt'] = 'Nome Reparto'; $wb['ssl_country_txt'] = 'Città '; -$wb['ssl_key_txt'] = 'SSL Key'; +$wb['ssl_key_txt'] = 'Chiav eSSL'; $wb['ssl_request_txt'] = 'SSL Richiesta'; $wb['ssl_cert_txt'] = 'SSL Certificato'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; +$wb['ssl_action_txt'] = 'Azione SSL'; $wb['ssl_domain_txt'] = 'SSL Domain'; $wb['server_id_txt'] = 'Server'; $wb['web_folder_error_regex'] = 'Percorso inserito non valido. Non inserire slash.'; $wb['type_txt'] = 'Tipo'; -$wb['parent_domain_id_txt'] = 'Sito Parent'; -$wb['redirect_type_txt'] = 'Tipo di Redirect'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; -$wb['redirect_path_txt'] = 'Redirect Path'; +$wb['parent_domain_id_txt'] = 'Sito genitore'; +$wb['redirect_type_txt'] = 'Tipo di reindirizzamento'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento Permanente + ultima regola)'; +$wb['redirect_path_txt'] = 'Percorso di reindirizzamento'; $wb['active_txt'] = 'Attivo'; $wb['document_root_txt'] = 'Cartella del sito'; $wb['system_user_txt'] = 'Utente Linux'; @@ -40,20 +40,20 @@ $wb['ssl_txt'] = 'SSL'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'Numero massimo domini per il tuo account raggiunti.'; -$wb['limit_web_aliasdomain_txt'] = 'Numero massimo domini alias per il tuo account è stato raggiunto.'; -$wb['limit_web_subdomain_txt'] = 'Numero massimo sottodomini per il tuo account raggiunto.'; -$wb['apache_directives_txt'] = 'Apache Direttive'; -$wb['domain_error_empty'] = 'Domain vuoto.'; +$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo domini per il tuo profilo.'; +$wb['limit_web_aliasdomain_txt'] = 'Il numero massimo domini alias per il tuo profilo è stato raggiunto.'; +$wb['limit_web_subdomain_txt'] = 'Il numero massimo sottodomini per il tuo profilo raggiunto.'; +$wb['apache_directives_txt'] = 'Direttive Apache'; +$wb['domain_error_empty'] = 'Domain vuoto.'; $wb['domain_error_unique'] = 'Esiste già un sito o sottodominio / domino alias con questo nome dominio.'; $wb['domain_error_regex'] = 'Nome dominio non valido.'; $wb['domain_error_autosub'] = 'Impostazioni di sottodominio esistenti.'; -$wb['hd_quota_error_empty'] = 'Harddisk quota 0 o vuoto.'; -$wb['traffic_quota_error_empty'] = 'Campo Quota Traffico vuoto.'; -$wb['error_ssl_state_empty'] = 'SSL State vuoto.'; +$wb['hd_quota_error_empty'] = 'quota disco 0 o vuoto.'; +$wb['traffic_quota_error_empty'] = 'Campo Quota Traffico vuoto.'; +$wb['error_ssl_state_empty'] = 'SSL Stato vuoto.'; $wb['error_ssl_locality_empty'] = 'SSL Paese vuoto.'; -$wb['error_ssl_organisation_empty'] = 'SSL Organizzazione vuoto.'; -$wb['error_ssl_organisation_unit_empty'] = 'SSL Organisation Unit vuoto.'; +$wb['error_ssl_organisation_empty'] = 'SSL Organizzazione vuoto.'; +$wb['error_ssl_organisation_unit_empty'] = 'SSL Reparto vuoto.'; $wb['error_ssl_country_empty'] = 'SSL Città vuoto.'; $wb['error_ssl_cert_empty'] = 'SSL Certificato vuoto'; $wb['client_group_id_txt'] = 'Cliente'; @@ -61,10 +61,10 @@ $wb['stats_password_txt'] = 'Impostare password accesso a Statistiche Web'; $wb['allow_override_txt'] = 'Apache AllowOverride'; $wb['limit_web_quota_free_txt'] = 'Quota disco massima disponibile'; $wb['ssl_state_error_regex'] = 'Campo Stato SSL non valido.Valori accettati: a-z, 0-9 e .,-_'; -$wb['ssl_locality_error_regex'] = 'Campo SSL Locality non valido.. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_organisation_error_regex'] = 'Campo SSL Organisation non valido.. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_organistaion_unit_error_regex'] = 'Campo SSL Organisation Unit. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_country_error_regex'] = 'Campo SSL Country. Valid characters are: A-Z'; +$wb['ssl_locality_error_regex'] = 'Campo SSL Località non valido.. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_organisation_error_regex'] = 'Campo SSL Organizzazione non valido.. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_organistaion_unit_error_regex'] = 'Campo SSL Reparto. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_country_error_regex'] = 'Campo SSL Paese. Caratteri ammessi: A-Z'; $wb['limit_traffic_quota_free_txt'] = 'Quota Traffico massimo disponibile'; $wb['redirect_error_regex'] = 'Percorso reinderizzamento non valido. Percorsi di redirect sono ad esempio: /test/ or https://www.domain.tld/test/'; $wb['php_open_basedir_txt'] = 'PHP open_basedir'; @@ -77,7 +77,7 @@ $wb['disabled_txt'] = 'Disabilitato '; $wb['no_redirect_txt'] = 'Nessun redirect'; $wb['no_flag_txt'] = 'Nessun flag'; $wb['save_certificate_txt'] = 'Salva certificato'; -$wb['create_certificate_txt'] = 'Crea certificato'; +$wb['create_certificate_txt'] = 'Crea certificato'; $wb['delete_certificate_txt'] = 'Elimina certificato'; $wb['nginx_directives_txt'] = 'nginx Direttive'; $wb['seo_redirect_txt'] = 'Reinderizzamento SEO'; @@ -91,7 +91,7 @@ $wb['pm_max_children_txt'] = 'PHP-FPM pm.max_children'; $wb['pm_start_servers_txt'] = 'PHP-FPM pm.start_servers'; $wb['pm_min_spare_servers_txt'] = 'PHP-FPM pm.min_spare_servers'; $wb['pm_max_spare_servers_txt'] = 'PHP-FPM pm.max_spare_servers'; -$wb['error_php_fpm_pm_settings_txt'] = 'I valori per PHP-FPM pm devono essere i seguenti: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; +$wb['error_php_fpm_pm_settings_txt'] = 'I valori per PHP-FPM pm devono soddisfare: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; $wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un valore intero postivo.'; $wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un valore intero postivo.'; $wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un valore intero postivo.'; @@ -109,11 +109,11 @@ $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['available_php_directive_snippets_txt'] = 'Sniipets Direttive PHP disponibili:'; -$wb['available_apache_directive_snippets_txt'] = 'Snippets Direttive Apache disponibili:'; -$wb['available_nginx_directive_snippets_txt'] = 'Snippets Direttive nginx Directive disponibili:'; +$wb['available_php_directive_snippets_txt'] = 'Direttive Snippets PHP disponibili:'; +$wb['available_apache_directive_snippets_txt'] = 'Direttive Snippets Apache disponibili:'; +$wb['available_nginx_directive_snippets_txt'] = 'Direttive Snippets nginx disponibili:'; $wb['proxy_directives_txt'] = 'Direttive Proxy'; -$wb['available_proxy_directive_snippets_txt'] = 'Snippets Direttive Proxy disponibili:'; +$wb['available_proxy_directive_snippets_txt'] = 'Direttive Snippets Proxy disponibili:'; $wb['Domain'] = 'Domini Alias'; -$wb['stats_type_txt'] = 'Webstatistics program'; +$wb['stats_type_txt'] = 'Gestrore statistiche Web'; ?> diff --git a/interface/web/sites/lib/lang/it_web_aliasdomain_list.lng b/interface/web/sites/lib/lang/it_web_aliasdomain_list.lng index bea222d28d84999555777cf74a8cc9ef6f8addf3..d7c0728a28a44cf0ebb90d6f96705d2138a759de 100644 --- a/interface/web/sites/lib/lang/it_web_aliasdomain_list.lng +++ b/interface/web/sites/lib/lang/it_web_aliasdomain_list.lng @@ -5,10 +5,10 @@ $wb['server_id_txt'] = 'Server'; $wb['parent_domain_id_txt'] = 'Sito Web'; $wb['domain_txt'] = 'Domini Alias'; $wb['add_new_record_txt'] = 'Aggiungi un nuovo dominio alias'; -$wb['domain_error_empty'] = 'Domain vuoto.'; +$wb['domain_error_empty'] = 'Dominio vuoto.'; $wb['domain_error_unique'] = 'Nome DOminio deve essere unico.'; $wb['domain_error_regex'] = 'Nome Dominio non valido.'; $wb['no_redirect_txt'] = 'Nessun reinderizzamento'; -$wb['no_flag_txt'] = 'Nessun flag'; +$wb['no_flag_txt'] = 'Nessuna bandierina'; $wb['none_txt'] = 'Nessuno'; ?> diff --git a/interface/web/sites/lib/lang/it_web_backup_list.lng b/interface/web/sites/lib/lang/it_web_backup_list.lng index 08f3b48e8422645adea5ad2f5230400af6bcc4a0..75587300a28acb94dcc5e56eb97d5f380a80a868 100644 --- a/interface/web/sites/lib/lang/it_web_backup_list.lng +++ b/interface/web/sites/lib/lang/it_web_backup_list.lng @@ -12,29 +12,28 @@ $wb['download_pending_txt'] = 'Esiste già un operazione di download di backup i $wb['restore_pending_txt'] = 'Esiste già un operazione di ripristino da backup in attesa.'; $wb['backup_type_mysql'] = 'Database MySQL'; $wb['backup_type_web'] = 'Files del Sito Web'; -$wb['filesize_txt'] = 'Filesize'; -$wb['delete_backup_txt'] = 'Delete Backup'; -$wb['delete_info_txt'] = 'Delete of the backup has been started. This action takes several minutes to be completed.'; -$wb['delete_confirm_txt'] = 'Really delete this backup?'; -$wb['delete_pending_txt'] = 'There is already a pending backup delete job.'; +$wb['filesize_txt'] = 'Dimensione file'; +$wb['delete_backup_txt'] = 'Cancella Backup'; +$wb['delete_info_txt'] = 'La cancellazione del backup è stata avviata. L\'operazione può richiedere diversi minuti per finire.'; +$wb['delete_confirm_txt'] = 'Vuoi realmente cancellare questo backup?'; +$wb['delete_pending_txt'] = 'C\'è già un\'operazione di cancellazione in corso.'; $wb['backup_type_mongodb'] = 'MongoDB Database'; -$wb['backup_pending_txt'] = 'There is already a pending backup job.'; -$wb['error_txt'] = 'Error'; -$wb['backup_info_txt'] = 'A backup process started. This action can take several minutes to complete.'; -$wb['backup_format_txt'] = 'Backup format'; -$wb['backup_format_unknown_txt'] = 'Unknown'; -$wb['backup_job_txt'] = 'Scheduler'; -$wb['backup_job_manual_txt'] = 'Manual'; +$wb['backup_pending_txt'] = 'C\'è già un\'operazione di backup in corso.'; +$wb['error_txt'] = 'Errore'; +$wb['backup_info_txt'] = 'È stato avviato un backup. Questa operazione può richiedere diversi minuti.'; +$wb['backup_format_txt'] = 'Formato Backup'; +$wb['backup_format_unknown_txt'] = 'Formato Backup sconosciuto'; +$wb['backup_job_txt'] = 'Schedulatore'; +$wb['backup_job_manual_txt'] = 'Manuale'; $wb['backup_job_auto_txt'] = 'Auto'; -$wb['manual_backup_title_txt'] = 'Manual backup'; -$wb['make_backup_web_txt'] = 'Make backup of web files'; -$wb['make_backup_database_txt'] = 'Make backup of databases'; -$wb['make_backup_confirm_txt'] = 'You are about to start a manual backup process. Manual backups count towards the total number of allowed backup copies: therefore if the limit will be exceeded, then oldest backups may be deleted automatically. Proceed?'; -$wb['final_size_txt'] = 'Final download size may vary depending on selected compression format.'; -$wb['yes_txt'] = 'Yes'; +$wb['manual_backup_title_txt'] = 'Backup manuale'; +$wb['make_backup_web_txt'] = 'Fare il backup dei file web'; +$wb['make_backup_database_txt'] = 'Fare il backup del databases'; +$wb['make_backup_confirm_txt'] = 'Stai per iniziare un backup manuale. I backup manuali rientrano nel conteggio del numero totale dei backup consentiti. Quindi se il limite sarà superato verranno cancellati automaticamente i backup più vecchi. Vuoi procedere?'; +$wb['yes_txt'] = 'Si'; $wb['no_txt'] = 'No'; -$wb['backup_is_encrypted_txt'] = 'Encrypted'; -$wb['backup_format_zip_txt'] = 'zip (deflate)'; +$wb['backup_is_encrypted_txt'] = 'cifrato'; +$wb['backup_format_zip_txt'] = 'zip'; $wb['backup_format_gzip_txt'] = 'gzip'; $wb['backup_format_bzip2_txt'] = 'bzip2'; $wb['backup_format_xz_txt'] = 'xz'; diff --git a/interface/web/sites/lib/lang/it_web_childdomain.lng b/interface/web/sites/lib/lang/it_web_childdomain.lng index ed48eae876c648bb1dfab6ed2207e4efe45ca381..5918bf20fa894271341d50993b103921a5ceafb4 100644 --- a/interface/web/sites/lib/lang/it_web_childdomain.lng +++ b/interface/web/sites/lib/lang/it_web_childdomain.lng @@ -1,30 +1,30 @@ <?php $wb['ssl_state_txt'] = 'Stato'; -$wb['ssl_locality_txt'] = 'Locality'; +$wb['ssl_locality_txt'] = 'Località '; $wb['ssl_organisation_txt'] = 'Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Organisation Unit'; -$wb['ssl_country_txt'] = 'Country'; -$wb['ssl_request_txt'] = 'SSL Request'; -$wb['ssl_cert_txt'] = 'SSL Certificate'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; +$wb['ssl_country_txt'] = 'Paese'; +$wb['ssl_request_txt'] = 'Richiesta SSL'; +$wb['ssl_cert_txt'] = 'Certificato SSL'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; +$wb['ssl_action_txt'] = 'Azione SSL'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['type_txt'] = 'Tipo'; -$wb['parent_domain_id_txt'] = 'Parent Website'; +$wb['parent_domain_id_txt'] = 'Sito Web genitore'; $wb['redirect_type_txt'] = 'Tipo Redirect'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; -$wb['redirect_path_txt'] = 'Percorso Redirect'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + Ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento permanente + Ultima regol)'; +$wb['redirect_path_txt'] = 'Percorso di reindirizzamento'; $wb['active_txt'] = 'Attivo'; -$wb['document_root_txt'] = 'Documentroot'; +$wb['document_root_txt'] = 'Cartella radice dei documenti'; $wb['system_user_txt'] = 'Utente Linux'; $wb['system_group_txt'] = 'Gruppo Linux'; $wb['ip_address_txt'] = 'Indirizzo IP'; $wb['vhost_type_txt'] = 'Tipo VHost'; -$wb['hd_quota_txt'] = 'Quota Harddisk'; +$wb['hd_quota_txt'] = 'Quota disco'; $wb['traffic_quota_txt'] = 'Quota Traffico'; $wb['cgi_txt'] = 'CGI'; $wb['ssi_txt'] = 'SSI'; @@ -32,93 +32,93 @@ $wb['ssl_txt'] = 'SSL'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'The max. number of web domains for your account is reached.'; -$wb['limit_web_aliasdomain_txt'] = 'The max. number of aliasdomains for your account is reached.'; -$wb['limit_web_subdomain_txt'] = 'The max. number of web subdomains for your account is reached.'; +$wb['limit_web_domain_txt'] = 'Hai raggiunto il limite dei siti Web per il tuo profilo.'; +$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il limite dei domini Alias per il tuo profilo.'; +$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il limite dei sottodomini per il tuo profilo.'; $wb['apache_directives_txt'] = 'Direttive Apache'; -$wb['domain_error_empty'] = 'Domain is empty.'; -$wb['domain_error_unique'] = 'Domain must be unique.'; -$wb['domain_error_regex'] = 'Domain name invalid.'; -$wb['domain_error_acme_invalid'] = 'Domain name acme.invalid not permitted.'; +$wb['domain_error_empty'] = 'Il campo Dominio è vuoto.'; +$wb['domain_error_unique'] = 'Il nome Dominio deve essere unico.'; +$wb['domain_error_regex'] = 'Il nome di dominio non è valido.'; +$wb['domain_error_acme_invalid'] = 'Il nome di dominio acme non è consentito.'; $wb['host_txt'] = 'Host'; -$wb['redirect_error_regex'] = 'Invalid redirect path. Valid redirects are for example: /test/ or https://www.domain.tld/test/'; -$wb['no_redirect_txt'] = 'No redirect'; -$wb['no_flag_txt'] = 'No flag'; -$wb['domain_error_wildcard'] = 'Wildcard subdomains are not allowed.'; -$wb['proxy_directives_txt'] = 'Proxy Directives'; -$wb['available_proxy_directive_snippets_txt'] = 'Available Proxy Directive Snippets:'; -$wb['error_proxy_requires_url'] = 'Redirect Type \\"proxy\\" requires a URL as the redirect path.'; -$wb['backup_interval_txt'] = 'Backup interval'; -$wb['backup_copies_txt'] = 'Number of backup copies'; -$wb['ssl_key_txt'] = 'SSL Key'; -$wb['ssl_domain_txt'] = 'SSL Domain'; -$wb['web_folder_error_regex'] = 'Invalid folder entered. Please do not enter a slash.'; -$wb['ipv6_address_txt'] = 'IPv6-Address'; -$wb['errordocs_txt'] = 'Own Error-Documents'; -$wb['subdomain_txt'] = 'Auto-Subdomain'; -$wb['domain_error_autosub'] = 'There is already a subdomain with these settings.'; -$wb['hd_quota_error_empty'] = 'Harddisk quota is 0 or empty.'; -$wb['traffic_quota_error_empty'] = 'Traffic quota is empty.'; -$wb['error_ssl_state_empty'] = 'SSL State is empty.'; -$wb['error_ssl_locality_empty'] = 'SSL Locality is empty.'; -$wb['error_ssl_organisation_empty'] = 'SSL Organisation is empty.'; -$wb['error_ssl_organisation_unit_empty'] = 'SSL Organisation Unit is empty.'; -$wb['error_ssl_country_empty'] = 'SSL Country is empty.'; -$wb['error_ssl_cert_empty'] = 'SSL Certificate field is empty'; -$wb['client_group_id_txt'] = 'Client'; -$wb['stats_password_txt'] = 'Set Webstatistics password'; +$wb['redirect_error_regex'] = 'Percorso di reindirizzamento non valido. Esempi corretti sono: /test/ or https://www.domain.tld/test/'; +$wb['no_redirect_txt'] = 'Nessun reindirizzamento'; +$wb['no_flag_txt'] = 'Nessuna bandierina'; +$wb['domain_error_wildcard'] = 'I domini * non sono consentiti.'; +$wb['proxy_directives_txt'] = 'Direttive Proxy'; +$wb['available_proxy_directive_snippets_txt'] = 'Direttive Snippets Proxy disponibili:'; +$wb['error_proxy_requires_url'] = 'La direttiva di reindirizzamento tipo \\"proxy\\" richiede un URL come percorso di reindirizzamento.'; +$wb['backup_interval_txt'] = 'Intervallo tra i Backup'; +$wb['backup_copies_txt'] = 'Numero di copie di backup'; +$wb['ssl_key_txt'] = 'Chiave SSL'; +$wb['ssl_domain_txt'] = 'Dominio SSL'; +$wb['web_folder_error_regex'] = 'Cartella inserita non corretta. Non inserire la sbarra.'; +$wb['ipv6_address_txt'] = 'Indirizzo IPv6'; +$wb['errordocs_txt'] = 'Documenti di errore personalizzati'; +$wb['subdomain_txt'] = 'Auto-Sottodomini'; +$wb['domain_error_autosub'] = 'Esiste già un sottodominio con queste impostazioni.'; +$wb['hd_quota_error_empty'] = 'La quota disco è 0 o è vuota.'; +$wb['traffic_quota_error_empty'] = 'La quota Traffico è vuota.'; +$wb['error_ssl_state_empty'] = 'SSL Lo Stato è vuoto.'; +$wb['error_ssl_locality_empty'] = 'SSL La Località è vuota.'; +$wb['error_ssl_organisation_empty'] = 'SSL l\'Organizzazione è vuota.'; +$wb['error_ssl_organisation_unit_empty'] = 'SSL Il Reparto è vuoto.'; +$wb['error_ssl_country_empty'] = 'SSL Il Paese è vuoto.'; +$wb['error_ssl_cert_empty'] = 'SSL Il campo Certificato è vuoto'; +$wb['client_group_id_txt'] = 'Cliente'; +$wb['stats_password_txt'] = 'Set Password per le statistiche Web password'; $wb['allow_override_txt'] = 'Apache AllowOverride'; -$wb['limit_web_quota_free_txt'] = 'Max. available Harddisk Quota'; -$wb['ssl_state_error_regex'] = 'Invalid SSL State. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_locality_error_regex'] = 'Invalid SSL Locality. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_organisation_error_regex'] = 'Invalid SSL Organisation. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_organistaion_unit_error_regex'] = 'Invalid SSL Organisation Unit. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_country_error_regex'] = 'Invalid SSL Country. Valid characters are: A-Z'; -$wb['limit_traffic_quota_free_txt'] = 'Max. available Traffic Quota'; +$wb['limit_web_quota_free_txt'] = 'Massima Quota disco disponibile'; +$wb['ssl_state_error_regex'] = 'SSL Stato non valido. Caratteri ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_locality_error_regex'] = 'SSL Località non valida. Caratteri ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_organisation_error_regex'] = 'SSL Organizzazione non valida. Caratteri ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_organistaion_unit_error_regex'] = 'SSL Reparto non valido. Caratteri ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_country_error_regex'] = 'SSL Paese non valido Country. Caratteri ammessi: A-Z'; +$wb['limit_traffic_quota_free_txt'] = 'Massima quota Traffico disponibile'; $wb['php_open_basedir_txt'] = 'PHP open_basedir'; -$wb['traffic_quota_exceeded_txt'] = 'Traffic quota exceeded'; +$wb['traffic_quota_exceeded_txt'] = 'Hai superato la quota Traffico'; $wb['ruby_txt'] = 'Ruby'; -$wb['stats_user_txt'] = 'Webstatistics username'; -$wb['stats_type_txt'] = 'Webstatistics program'; -$wb['custom_php_ini_txt'] = 'Custom php.ini settings'; -$wb['none_txt'] = 'None'; -$wb['disabled_txt'] = 'Disabled'; -$wb['save_certificate_txt'] = 'Save certificate'; -$wb['create_certificate_txt'] = 'Create certificate'; -$wb['delete_certificate_txt'] = 'Delete certificate'; -$wb['nginx_directives_txt'] = 'nginx Directives'; -$wb['seo_redirect_txt'] = 'SEO Redirect'; +$wb['stats_user_txt'] = 'username per le statistiche Web'; +$wb['stats_type_txt'] = 'Gestore statistiche Web'; +$wb['custom_php_ini_txt'] = 'Impostazioni php.ini personalizzate'; +$wb['none_txt'] = 'Nessuno'; +$wb['disabled_txt'] = 'Disabilitato'; +$wb['save_certificate_txt'] = 'Salva il certificato'; +$wb['create_certificate_txt'] = 'Crea il certificato'; +$wb['delete_certificate_txt'] = 'Cancella il certificato'; +$wb['nginx_directives_txt'] = 'Direttive nginx'; +$wb['seo_redirect_txt'] = 'Reindirizzamento SEO'; $wb['non_www_to_www_txt'] = 'Non-www -> www'; $wb['www_to_non_www_txt'] = 'www -> non-www'; -$wb['php_fpm_use_socket_txt'] = 'Use Socket For PHP-FPM'; -$wb['error_no_sni_txt'] = 'SNI for SSL is not activated on this server. You can enable only one SSL certificate on each IP address.'; +$wb['php_fpm_use_socket_txt'] = 'Usare Socket per PHP-FPM'; +$wb['error_no_sni_txt'] = 'SNI per SSL non è attivo su questo server. Puoi abilitare un solo certificato SSL per ciascun indirizzo IP.'; $wb['python_txt'] = 'Python'; $wb['perl_txt'] = 'Perl'; $wb['pm_max_children_txt'] = 'PHP-FPM pm.max_children'; $wb['pm_start_servers_txt'] = 'PHP-FPM pm.start_servers'; $wb['pm_min_spare_servers_txt'] = 'PHP-FPM pm.min_spare_servers'; $wb['pm_max_spare_servers_txt'] = 'PHP-FPM pm.max_spare_servers'; -$wb['error_php_fpm_pm_settings_txt'] = 'Values of PHP-FPM pm settings must be as follows: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; -$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children must be a positive integer value.'; -$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers must be a positive integer value.'; -$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers must be a positive integer value.'; -$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers must be a positive integer value.'; -$wb['hd_quota_error_regex'] = 'Harddisk quota is invalid.'; -$wb['traffic_quota_error_regex'] = 'Traffic quota is invalid.'; -$wb['server_php_id_txt'] = 'PHP Version'; -$wb['pm_txt'] = 'PHP-FPM Process Manager'; +$wb['error_php_fpm_pm_settings_txt'] = 'I valori di PHP-FPM pm devono soddisfare: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; +$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un intero positivo.'; +$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un intero positivo.'; +$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un intero positivo.'; +$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers deve essere un intero positivo.'; +$wb['hd_quota_error_regex'] = 'Il valore quota disco non è valido.'; +$wb['traffic_quota_error_regex'] = 'Il valore di quota Traffico non è valido.'; +$wb['server_php_id_txt'] = 'Versione PHP'; +$wb['pm_txt'] = 'Gestore del processo PHP-FPM'; $wb['pm_process_idle_timeout_txt'] = 'PHP-FPM pm.process_idle_timeout'; $wb['pm_max_requests_txt'] = 'PHP-FPM pm.max_requests'; -$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout must be a positive integer value.'; -$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests must be an integer value >= 0.'; -$wb['pm_ondemand_hint_txt'] = 'Please note that you must have PHP version >= 5.3.9 in order to use the ondemand process manager. If you select ondemand for an older PHP version, PHP will not start anymore!'; -$wb['generate_password_txt'] = 'Generate Password'; -$wb['repeat_password_txt'] = 'Repeat Password'; -$wb['password_mismatch_txt'] = 'The passwords do not match.'; -$wb['password_match_txt'] = 'The passwords do match.'; -$wb['available_php_directive_snippets_txt'] = 'Available PHP Directive Snippets:'; -$wb['available_apache_directive_snippets_txt'] = 'Available Apache Directive Snippets:'; -$wb['available_nginx_directive_snippets_txt'] = 'Available nginx Directive Snippets:'; -$wb['Domain'] = 'Aliasdomain'; -$wb['ssl_letsencrypt_exclude_txt'] = 'Don\'t add to Let\'s Encrypt certificate'; +$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout deve essere un intero positivo.'; +$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests deve essere un intero >= 0.'; +$wb['pm_ondemand_hint_txt'] = 'evi avere una versione PHP >= 5.3.9 per poter utilizzare ondemand process manager. Se hai selezionato ondemand per una versione PHP precedente, PHP non si avvierà più!'; +$wb['generate_password_txt'] = 'Generare Password'; +$wb['repeat_password_txt'] = 'Ripetere Password'; +$wb['password_mismatch_txt'] = 'Le passwords non coincidono.'; +$wb['password_match_txt'] = 'Le passwords sono uguali.'; +$wb['available_php_directive_snippets_txt'] = 'Direttive Snippets PHP disponibili:'; +$wb['available_apache_directive_snippets_txt'] = 'Direttive Snippets Apache disponibili:'; +$wb['available_nginx_directive_snippets_txt'] = 'Direttive Snippets nginx disponibili:'; +$wb['Domain'] = 'Dominio Alias'; +$wb['ssl_letsencrypt_exclude_txt'] = 'Non fare aggiunte al certificato Let\'s Encrypt'; ?> diff --git a/interface/web/sites/lib/lang/it_web_childdomain_list.lng b/interface/web/sites/lib/lang/it_web_childdomain_list.lng index 45d82ecc58fe351faf9307d8bac9c20ac40a2f74..606ebc17bf57653be38726cfbcb8fc9d467c311e 100644 --- a/interface/web/sites/lib/lang/it_web_childdomain_list.lng +++ b/interface/web/sites/lib/lang/it_web_childdomain_list.lng @@ -11,8 +11,8 @@ $wb['domain_error_acme_invalid'] = 'Domain name acme.invalid not permitted.'; $wb['no_redirect_txt'] = 'No redirect'; $wb['no_flag_txt'] = 'No flag'; $wb['none_txt'] = 'None'; -$wb['add_new_subdomain_txt'] = 'Add new Subdomain'; -$wb['add_new_aliasdomain_txt'] = 'Add new Aliasdomain'; -$wb['aliasdomain_list_head_txt'] = 'Aliasdomains'; -$wb['subdomain_list_head_txt'] = 'Subdomains'; +$wb['add_new_subdomain_txt'] = 'Aggiungi un Sottodominio'; +$wb['add_new_aliasdomain_txt'] = 'AAggiungi un Alias di dominio'; +$wb['aliasdomain_list_head_txt'] = 'Dominio Alias'; +$wb['subdomain_list_head_txt'] = 'Sottodominio'; ?> diff --git a/interface/web/sites/lib/lang/it_web_directive_snippets.lng b/interface/web/sites/lib/lang/it_web_directive_snippets.lng index d2590e53cfbefea98a29cdd8fff773eb46050fe8..569070daaab79b3f9098e81bbb2f39841777a108 100644 --- a/interface/web/sites/lib/lang/it_web_directive_snippets.lng +++ b/interface/web/sites/lib/lang/it_web_directive_snippets.lng @@ -1,3 +1,3 @@ <?php -$wb['directive_snippets_id_txt'] = 'Desired configuration'; +$wb['directive_snippets_id_txt'] = 'Configuratione desiderata'; ?> diff --git a/interface/web/sites/lib/lang/it_web_domain.lng b/interface/web/sites/lib/lang/it_web_domain.lng index b05f2a15575f7a5d4a4d62d5f56a752c51a4ecec..18765c470246f6743c3ef1f79dce8dee2816fc63 100644 --- a/interface/web/sites/lib/lang/it_web_domain.lng +++ b/interface/web/sites/lib/lang/it_web_domain.lng @@ -2,24 +2,24 @@ $wb['ssl_state_txt'] = 'Stato'; $wb['ssl_locality_txt'] = 'Città '; $wb['ssl_organisation_txt'] = 'Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Organisation Unit'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; $wb['ssl_country_txt'] = 'Codice Nazione'; $wb['ssl_request_txt'] = 'Richiesta SSL'; $wb['ssl_cert_txt'] = 'Certificato SSL'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; +$wb['ssl_action_txt'] = 'Azione SSL'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['type_txt'] = 'Tipo'; $wb['parent_domain_id_txt'] = 'Sito Web di riferimento'; $wb['redirect_type_txt'] = 'Tipo Reinderizzamento'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento permanente + ultima regola)'; $wb['redirect_path_txt'] = 'Percorso Reinderizzamento'; $wb['active_txt'] = 'Attivo'; -$wb['document_root_txt'] = 'Documentroot'; +$wb['document_root_txt'] = 'Radice dei documenti'; $wb['system_user_txt'] = 'Utente Linux'; $wb['system_group_txt'] = 'Gruppo Linux'; $wb['ip_address_txt'] = 'Indirizzo IP'; @@ -33,11 +33,11 @@ $wb['ssl_txt'] = 'SSL'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'Numero massimo domini siti web raggiunto per il tuo account.'; -$wb['limit_web_aliasdomain_txt'] = 'Numero massimo di domini alias raggiunto per il tuo account.'; -$wb['limit_web_subdomain_txt'] = 'Numero massimo di sottodomini raggiunto per il tuo account.'; -$wb['apache_directives_txt'] = 'Apache Direttive '; -$wb['domain_error_empty'] = 'Domain vuoto.'; +$wb['limit_web_domain_txt'] = 'Numero massimo domini siti web raggiunto per il tuo profilo.'; +$wb['limit_web_aliasdomain_txt'] = 'Numero massimo di domini alias raggiunto per il tuo profilo.'; +$wb['limit_web_subdomain_txt'] = 'Numero massimo di sottodomini raggiunto per il tuo profilo.'; +$wb['apache_directives_txt'] = 'Direttive Apache '; +$wb['domain_error_empty'] = 'Domain vuoto.'; $wb['domain_error_unique'] = 'Il dominio deve essere unico.'; $wb['domain_error_regex'] = 'Nome Dominio non valido.'; $wb['hd_quota_error_empty'] = 'Quota Spazio Disco vuoto.'; @@ -51,7 +51,7 @@ $wb['subdomain_txt'] = 'Auto-Sottodominio'; $wb['client_group_id_txt'] = 'Cliente'; $wb['stats_password_txt'] = 'Pssword Statistiche Web'; $wb['ssl_domain_txt'] = 'SSL Domimio'; -$wb['allow_override_txt'] = 'Allow Override'; +$wb['allow_override_txt'] = 'Consenti di trascurare'; $wb['limit_web_quota_free_txt'] = 'Valore massimo Quota Spazio Disco disponibile'; $wb['ssl_state_error_regex'] = 'SSL Stato non valido. Caratteri ammessi: a-z, 0-9 e .,-_'; $wb['ssl_locality_error_regex'] = 'SSL Città non valido. Caratteri ammessi: a-z, 0-9 e .,-_'; @@ -88,16 +88,16 @@ $wb['pm_max_children_txt'] = 'PHP-FPM pm.max_children'; $wb['pm_start_servers_txt'] = 'PHP-FPM pm.start_servers'; $wb['pm_min_spare_servers_txt'] = 'PHP-FPM pm.min_spare_servers'; $wb['pm_max_spare_servers_txt'] = 'PHP-FPM pm.max_spare_servers'; -$wb['error_php_fpm_pm_settings_txt'] = 'I Valori per impostazioni PHP-FPM pm devono essere i seguenti: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; +$wb['error_php_fpm_pm_settings_txt'] = 'I Valori per impostazioni PHP-FPM pm devono soddisfare: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; $wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un valore intero positivo.'; $wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un valore intero positivo.'; $wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un valore intero positivo.'; $wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers deve essere un valore intero positivo.'; $wb['hd_quota_error_regex'] = 'Quota spazio disco non valida.'; $wb['traffic_quota_error_regex'] = 'Quota Traffico non valida.'; -$wb['ssl_key_txt'] = 'SSL Key'; +$wb['ssl_key_txt'] = 'Chiave SSL'; $wb['perl_txt'] = 'Perl'; -$wb['server_php_id_txt'] = 'PHP Versione'; +$wb['server_php_id_txt'] = 'Versione PHP'; $wb['pm_txt'] = 'PHP-FPM Process Manager'; $wb['pm_process_idle_timeout_txt'] = 'PHP-FPM pm.process_idle_timeout'; $wb['pm_max_requests_txt'] = 'PHP-FPM pm.max_requests'; @@ -123,7 +123,7 @@ $wb['monthly_backup_txt'] = 'Mensile'; $wb['rewrite_rules_txt'] = 'Rewrite Rules'; $wb['invalid_rewrite_rules_txt'] = 'Rewrite Rules non valide'; $wb['allowed_rewrite_rule_directives_txt'] = 'Allowed Directives:'; -$wb['configuration_error_txt'] = 'CONFIGURATION ERROR'; +$wb['configuration_error_txt'] = 'ERRORE DI CONFIGURAZIONE'; $wb['variables_txt'] = 'Variabili'; $wb['added_by_txt'] = 'Inserito da'; $wb['added_date_txt'] = 'Data inserimento'; @@ -133,9 +133,9 @@ $wb['backup_excludes_error_regex'] = 'Le cartelle escluse contengono caratteri n $wb['invalid_custom_php_ini_settings_txt'] = 'Impsotazioni php.ini non valide'; $wb['invalid_system_user_or_group_txt'] = 'Utente di sistema o Gruppo non valido'; $wb['apache_directive_blocked_error'] = 'Direttive di Apache bloccate da impostazioni di sicurezza:'; -$wb['http_port_txt'] = 'HTTP Port'; -$wb['https_port_txt'] = 'HTTPS Port'; -$wb['http_port_error_regex'] = 'HTTP Port invalid.'; -$wb['https_port_error_regex'] = 'HTTPS Port invalid.'; -$wb['nginx_directive_blocked_error'] = 'Nginx directive blocked by security settings:'; +$wb['http_port_txt'] = 'Porta HTTP'; +$wb['https_port_txt'] = 'Porta HTTPS'; +$wb['http_port_error_regex'] = 'Porta HTTP non valida.'; +$wb['https_port_error_regex'] = 'Porta HTTPS non valida.'; +$wb['nginx_directive_blocked_error'] = 'Direttive Nginx bloccate per impostazioni di sicurezza:'; ?> diff --git a/interface/web/sites/lib/lang/it_web_folder.lng b/interface/web/sites/lib/lang/it_web_folder.lng index eb32a966f4f4e8fc975a3552838f668a01a16b72..37404ef1da99d24c53ed5e9390a6a67212ac555c 100644 --- a/interface/web/sites/lib/lang/it_web_folder.lng +++ b/interface/web/sites/lib/lang/it_web_folder.lng @@ -4,5 +4,5 @@ $wb['parent_domain_id_txt'] = 'Sito Web'; $wb['path_txt'] = 'Path'; $wb['active_txt'] = 'Attivo'; $wb['path_error_regex'] = 'Percorso cartella non valido.'; -$wb['error_folder_already_protected_txt'] = 'esiste già un record per questa cartella.'; +$wb['error_folder_already_protected_txt'] = 'Esiste già un record per questa cartella.'; ?> diff --git a/interface/web/sites/lib/lang/it_web_subdomain.lng b/interface/web/sites/lib/lang/it_web_subdomain.lng index e3438eaf75e4de551c5339ce27727c6f591b8837..6f8e81d7b6afa6af65ac05d5849dfbc260d57832 100644 --- a/interface/web/sites/lib/lang/it_web_subdomain.lng +++ b/interface/web/sites/lib/lang/it_web_subdomain.lng @@ -1,30 +1,30 @@ <?php $wb['ssl_state_txt'] = 'Stato'; -$wb['ssl_locality_txt'] = 'Locality'; +$wb['ssl_locality_txt'] = 'Località '; $wb['ssl_organisation_txt'] = 'Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Organisation Unit'; -$wb['ssl_country_txt'] = 'Country'; -$wb['ssl_request_txt'] = 'SSL Request'; -$wb['ssl_cert_txt'] = 'SSL Certificate'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; +$wb['ssl_country_txt'] = 'Paese'; +$wb['ssl_request_txt'] = 'Richiesta SSL'; +$wb['ssl_cert_txt'] = 'Certificato SSL'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; +$wb['ssl_action_txt'] = 'Azione SSL'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['type_txt'] = 'Tipo'; -$wb['parent_domain_id_txt'] = 'Parent Website'; -$wb['redirect_type_txt'] = 'Tipo Redirect'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; -$wb['redirect_path_txt'] = 'Percorso Redirect'; +$wb['parent_domain_id_txt'] = 'Website genitore'; +$wb['redirect_type_txt'] = 'Tipo Reindirizzamento'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento permanente + ultima regola)'; +$wb['redirect_path_txt'] = 'Percorso reindirizzamento'; $wb['active_txt'] = 'Attivo'; -$wb['document_root_txt'] = 'Documentroot'; +$wb['document_root_txt'] = 'Radice dei documenti'; $wb['system_user_txt'] = 'Utente Linux'; $wb['system_group_txt'] = 'Gruppo Linux'; $wb['ip_address_txt'] = 'Indirizzo IP'; $wb['vhost_type_txt'] = 'Tipo VHost'; -$wb['hd_quota_txt'] = 'Quota Harddisk'; +$wb['hd_quota_txt'] = 'Quota disco'; $wb['traffic_quota_txt'] = 'Quota Traffico'; $wb['cgi_txt'] = 'CGI'; $wb['ssi_txt'] = 'SSI'; @@ -32,23 +32,23 @@ $wb['ssl_txt'] = 'SSL'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo di siti web per il tuo account.'; -$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il numero massimo di domini alias per il tuo account.'; -$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il numero massimo di sottodomini per il tuo account.'; +$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo di siti web per il tuo profilo.'; +$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il numero massimo di domini alias per il tuo profilo.'; +$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il numero massimo di sottodomini per il tuo profilo.'; $wb['apache_directives_txt'] = 'Direttive Apache'; -$wb['domain_error_empty'] = 'Dominio vuoto.'; +$wb['domain_error_empty'] = 'Dominio vuoto.'; $wb['domain_error_unique'] = 'Il dominio deve essere unico.'; $wb['domain_error_regex'] = 'Nome dominio non valido.'; $wb['host_txt'] = 'Host'; $wb['redirect_error_regex'] = 'Percorso di reinderizzamento errato. esempi di reinderizzamento validi: /test/ o https://www.domain.tld/test/'; $wb['no_redirect_txt'] = 'Nessun reinderizzamento'; -$wb['no_flag_txt'] = 'No flag'; +$wb['no_flag_txt'] = 'Nessuna bandierina'; $wb['domain_error_wildcard'] = 'Non sono ammessi caratteri jolly per i sottodomini.'; $wb['proxy_directives_txt'] = 'Direttive Proxy'; $wb['available_proxy_directive_snippets_txt'] = 'Snippets Direttive Proxy disponibili:'; $wb['error_proxy_requires_url'] = 'Tipo reinderizzamento \\"proxy\\" richiede una URL come percorso di reinderizzamento.'; -$wb['http_port_txt'] = 'HTTP Port'; -$wb['https_port_txt'] = 'HTTPS Port'; -$wb['http_port_error_regex'] = 'HTTP Port invalid.'; -$wb['https_port_error_regex'] = 'HTTPS Port invalid.'; +$wb['http_port_txt'] = 'Porta HTTP'; +$wb['https_port_txt'] = 'Porta HTTPS'; +$wb['http_port_error_regex'] = 'Porta HTTP non valida.'; +$wb['https_port_error_regex'] = 'Porta HTTPS non valida.'; ?> diff --git a/interface/web/sites/lib/lang/it_web_vhost_domain.lng b/interface/web/sites/lib/lang/it_web_vhost_domain.lng index 22fce96dab4a8555cdbd433cd54693290b72440e..3e036a77487b831f122571d93b4d93c8d88ad335 100644 --- a/interface/web/sites/lib/lang/it_web_vhost_domain.lng +++ b/interface/web/sites/lib/lang/it_web_vhost_domain.lng @@ -1,23 +1,23 @@ <?php $wb['ssl_state_txt'] = 'Stato'; -$wb['ssl_locality_txt'] = 'Locality'; +$wb['ssl_locality_txt'] = 'Località '; $wb['ssl_organisation_txt'] = 'Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Organisation Unit'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; $wb['ssl_country_txt'] = 'Regione'; $wb['ssl_request_txt'] = 'Richiesta SSL'; $wb['ssl_cert_txt'] = 'Certificato SSL'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; +$wb['ssl_action_txt'] = 'Azione SSL'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['type_txt'] = 'Tipo'; -$wb['parent_domain_id_txt'] = 'Parent Website'; -$wb['redirect_type_txt'] = 'Tipo Redirect'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; -$wb['redirect_path_txt'] = 'Percorso Redirect'; +$wb['parent_domain_id_txt'] = 'Sito Web genitore'; +$wb['redirect_type_txt'] = 'Tipo Reindirizzamento'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento Permanente + ultima regola)'; +$wb['redirect_path_txt'] = 'Percorso Reindirizzamento'; $wb['active_txt'] = 'Attivo'; $wb['document_root_txt'] = 'Document Root'; $wb['system_user_txt'] = 'Utente Linux'; @@ -34,141 +34,141 @@ $wb['ssl_letsencrypt_txt'] = 'Let\'s Encrypt'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'The max. number of web domains for your account is reached.'; -$wb['limit_web_aliasdomain_txt'] = 'The max. number of aliasdomains for your account is reached.'; -$wb['limit_web_subdomain_txt'] = 'The max. number of web subdomains for your account is reached.'; -$wb['apache_directives_txt'] = 'Apache directives'; -$wb['domain_error_empty'] = 'Domain is empty.'; -$wb['domain_error_unique'] = 'Domain must be unique.'; -$wb['domain_error_regex'] = 'Domain name invalid.'; -$wb['domain_error_acme_invalid'] = 'Domain name acme.invalid not permitted.'; -$wb['hd_quota_error_empty'] = 'Harddisk quota is empty.'; -$wb['traffic_quota_error_empty'] = 'Traffic quota is empty.'; -$wb['error_ssl_state_empty'] = 'SSL State is empty.'; -$wb['error_ssl_locality_empty'] = 'SSL Locality is empty.'; -$wb['error_ssl_organisation_empty'] = 'SSL Organisation is empty.'; -$wb['error_ssl_organisation_unit_empty'] = 'SSL Organisation Unit is empty.'; -$wb['error_ssl_country_empty'] = 'SSL Country is empty.'; -$wb['subdomain_txt'] = 'Auto-Subdomain'; -$wb['client_group_id_txt'] = 'Client'; -$wb['stats_password_txt'] = 'Webstatistics password'; -$wb['ssl_domain_txt'] = 'SSL Domain'; -$wb['allow_override_txt'] = 'Allow Override'; -$wb['limit_web_quota_free_txt'] = 'Max. available Harddisk Quota'; -$wb['ssl_state_error_regex'] = 'Invalid SSL State. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_locality_error_regex'] = 'Invalid SSL Locality. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_organisation_error_regex'] = 'Invalid SSL Organisation. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_organistaion_unit_error_regex'] = 'Invalid SSL Organisation Unit. Valid characters are: a-z, 0-9 and .,-_'; -$wb['ssl_country_error_regex'] = 'Invalid SSL Country. Valid characters are: A-Z'; -$wb['limit_traffic_quota_free_txt'] = 'Max. available Traffic Quota'; -$wb['redirect_error_regex'] = 'Invalid redirect path. Valid redirects are for example: /test/ or https://www.domain.tld/test/'; -$wb['php_open_basedir_txt'] = 'PHP open_basedir'; -$wb['traffic_quota_exceeded_txt'] = 'Traffic quota exceeded'; -$wb['backup_interval_txt'] = 'Backup interval'; -$wb['backup_copies_txt'] = 'Number of backup copies'; +$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo di siti Web.'; +$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il numero massimo di domini Alias.'; +$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il numero massimo di sottodomini Web.'; +$wb['apache_directives_txt'] = 'Direttive Apache'; +$wb['domain_error_empty'] = 'Il Dominio è vuoto.'; +$wb['domain_error_unique'] = 'Il Dominio deve essere unico.'; +$wb['domain_error_regex'] = 'Nome di Dominio non valido.'; +$wb['domain_error_acme_invalid'] = 'Errore di dominio acme.'; +$wb['hd_quota_error_empty'] = 'La quota disco è vuota.'; +$wb['traffic_quota_error_empty'] = 'La quota traffico è vuota.'; +$wb['error_ssl_state_empty'] = 'Lo Stato SSL è vuota'; +$wb['error_ssl_locality_empty'] = 'La Località SSL è vuota.'; +$wb['error_ssl_organisation_empty'] = 'SSL L\'Organizzazione è vuota.'; +$wb['error_ssl_organisation_unit_empty'] = 'SSL Il Reparto è vuoto.'; +$wb['error_ssl_country_empty'] = 'SSL Il Paese è vuoto.'; +$wb['subdomain_txt'] = 'Auto-Sottodominio'; +$wb['client_group_id_txt'] = 'Cliente'; +$wb['stats_password_txt'] = 'Password per le statistiche Web'; +$wb['ssl_domain_txt'] = 'SSL Dominio'; +$wb['allow_override_txt'] = 'Consenti di trascuraree'; +$wb['limit_web_quota_free_txt'] = 'Quota massima di disco'; +$wb['ssl_state_error_regex'] = 'SSL Stato non valido. Ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_locality_error_regex'] = 'SSL Località non valida. Ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_organisation_error_regex'] = 'SSL Organizzazione non valida. Ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_organistaion_unit_error_regex'] = 'SSL Reparto non valido. Ammessi: a-z, 0-9 and .,-_'; +$wb['ssl_country_error_regex'] = 'SSL Paese non valido. Ammessi: A-Z'; +$wb['limit_traffic_quota_free_txt'] = 'Quota traffico massima disponibile'; +$wb['redirect_error_regex'] = 'Percorso di reindirizzamento non corretto. Esempi di percorsi corretti: /test/ or https://www.domain.tld/test/'; +$wb['php_open_basedir_txt'] = 'open_basedir PHP'; +$wb['traffic_quota_exceeded_txt'] = 'Superato quota di traffico'; +$wb['backup_interval_txt'] = 'Intervallo di backup'; +$wb['backup_copies_txt'] = 'Numero di copie di backup'; $wb['ruby_txt'] = 'Ruby'; -$wb['stats_user_txt'] = 'Webstatistics username'; -$wb['stats_type_txt'] = 'Webstatistics program'; -$wb['custom_php_ini_txt'] = 'Custom php.ini settings'; -$wb['error_ssl_cert_empty'] = 'SSL Certificate field is empty'; -$wb['ipv6_address_txt'] = 'IPv6-Address'; -$wb['none_txt'] = 'None'; -$wb['disabled_txt'] = 'Disabled'; -$wb['no_redirect_txt'] = 'No redirect'; -$wb['no_flag_txt'] = 'No flag'; -$wb['save_certificate_txt'] = 'Save certificate'; -$wb['create_certificate_txt'] = 'Create certificate'; -$wb['delete_certificate_txt'] = 'Delete certificate'; -$wb['nginx_directives_txt'] = 'nginx Directives'; -$wb['seo_redirect_txt'] = 'SEO Redirect'; +$wb['stats_user_txt'] = 'Username per statistiche Web'; +$wb['stats_type_txt'] = 'Gestore delle statistiche'; +$wb['custom_php_ini_txt'] = 'Impostazioni php.ini personalizzate'; +$wb['error_ssl_cert_empty'] = 'SSL Il campo certificato è vuoto'; +$wb['ipv6_address_txt'] = 'Indirizzo IPv6'; +$wb['none_txt'] = 'Nessuno'; +$wb['disabled_txt'] = 'Disabilitato'; +$wb['no_redirect_txt'] = 'Nessun reindirizzamento'; +$wb['no_flag_txt'] = 'Nessuna bandierina'; +$wb['save_certificate_txt'] = 'Salva il certificato'; +$wb['create_certificate_txt'] = 'Crea il certificato'; +$wb['delete_certificate_txt'] = 'Cancella il certificato'; +$wb['nginx_directives_txt'] = 'Direttive nginx'; +$wb['seo_redirect_txt'] = 'Reindirizzamento SEO'; $wb['non_www_to_www_txt'] = 'Non-www -> www'; $wb['www_to_non_www_txt'] = 'www -> non-www'; -$wb['php_fpm_use_socket_txt'] = 'Use Socket For PHP-FPM'; +$wb['php_fpm_use_socket_txt'] = 'Usa il Socket per PHP-FPM'; $wb['php_fpm_chroot_txt'] = 'Chroot PHP-FPM'; -$wb['error_no_sni_txt'] = 'SNI for SSL is not activated on this server. You can enable only one SSL certificate on each IP address.'; +$wb['error_no_sni_txt'] = 'SNI per SSL non attivo su questo server. Puoi abilitare un solo certificato SSL per ogni indirizzo IP.'; $wb['python_txt'] = 'Python'; $wb['pm_max_children_txt'] = 'PHP-FPM pm.max_children'; $wb['pm_start_servers_txt'] = 'PHP-FPM pm.start_servers'; $wb['pm_min_spare_servers_txt'] = 'PHP-FPM pm.min_spare_servers'; $wb['pm_max_spare_servers_txt'] = 'PHP-FPM pm.max_spare_servers'; -$wb['error_php_fpm_pm_settings_txt'] = 'Values of PHP-FPM pm settings must be as follows: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; -$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children must be a positive integer value.'; -$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers must be a positive integer value.'; -$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers must be a positive integer value.'; -$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers must be a positive integer value.'; -$wb['hd_quota_error_regex'] = 'Harddisk quota is invalid.'; -$wb['traffic_quota_error_regex'] = 'Traffic quota is invalid.'; -$wb['ssl_key_txt'] = 'SSL Key'; +$wb['error_php_fpm_pm_settings_txt'] = 'I valori di PHP-FPM per pm devono soddisfare: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; +$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un valore intero positivo.'; +$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un valore intero positivo.'; +$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un valore intero positivo.'; +$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers deve essere un valore intero positivo.'; +$wb['hd_quota_error_regex'] = 'Il valore di quota Disco non è valido.'; +$wb['traffic_quota_error_regex'] = 'Il valore di quota Traffico non è valido.'; +$wb['ssl_key_txt'] = 'SSL chiave'; $wb['perl_txt'] = 'Perl'; -$wb['server_php_id_txt'] = 'PHP Version'; -$wb['server_php_id_invalid_txt'] = 'PHP Version is invalid.'; -$wb['server_php_id_default_hidden_warning_txt'] = 'PHP Version was set to "default" but that can no longer be selected. Choose your desired PHP Version and save your settings.'; +$wb['server_php_id_txt'] = 'Versione PHP'; +$wb['server_php_id_invalid_txt'] = 'Versione PHP non corretta.'; +$wb['server_php_id_default_hidden_warning_txt'] = 'Versione PHP impostata al "default" ma tale valore non può più essere selezionato. Scegli il valore di versione PHP che desideri e salva l\'impostazione.'; $wb['pm_txt'] = 'PHP-FPM Process Manager'; $wb['pm_process_idle_timeout_txt'] = 'PHP-FPM pm.process_idle_timeout'; $wb['pm_max_requests_txt'] = 'PHP-FPM pm.max_requests'; -$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout must be a positive integer value.'; -$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests must be an integer value >= 0.'; -$wb['pm_ondemand_hint_txt'] = 'Please note that you must have PHP version >= 5.3.9 in order to use the ondemand process manager. If you select ondemand for an older PHP version, PHP will not start anymore!'; -$wb['generate_password_txt'] = 'Generate Password'; -$wb['repeat_password_txt'] = 'Repeat Password'; -$wb['password_mismatch_txt'] = 'The passwords do not match.'; -$wb['password_match_txt'] = 'The passwords do match.'; -$wb['web_folder_error_regex'] = 'Invalid folder entered. Please do not enter a slash.'; -$wb['web_folder_error_empty'] = 'Web folder cannot be empty. Use /web/ to make the same as the Parent Website'; -$wb['domain_error_autosub'] = 'There is already a subdomain with these settings.'; -$wb['available_php_directive_snippets_txt'] = 'Available PHP Directive Snippets:'; -$wb['available_apache_directive_snippets_txt'] = 'Available Apache Directive Snippets:'; -$wb['available_nginx_directive_snippets_txt'] = 'Available nginx Directive Snippets:'; -$wb['proxy_directives_txt'] = 'Proxy Directives'; -$wb['available_proxy_directive_snippets_txt'] = 'Available Proxy Directive Snippets:'; -$wb['no_server_error'] = 'No server selected.'; -$wb['no_backup_txt'] = 'No backup'; -$wb['daily_backup_txt'] = 'Daily'; -$wb['weekly_backup_txt'] = 'Weekly'; -$wb['monthly_backup_txt'] = 'Monthly'; +$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout deve essere un valore intero positivo.'; +$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests deve essere un valore intero positivo >= 0.'; +$wb['pm_ondemand_hint_txt'] = 'Devi avere una versione PHP >= 5.3.9 per utilizzare il processo on demand. Se selezioni ondemand con una versione PHP più vecchia, PHP non ripartirà più!'; +$wb['generate_password_txt'] = 'Genera una Password'; +$wb['repeat_password_txt'] = 'Ripeti Password'; +$wb['password_mismatch_txt'] = 'Le password sono diverse.'; +$wb['password_match_txt'] = 'Le password coincidono.'; +$wb['web_folder_error_regex'] = 'Cartella non valida. Non inserire la sbarra.'; +$wb['web_folder_error_empty'] = 'La cartella Web non può essere vuota. Usa /web/ per assegnare lo stesso al sito Web genitore'; +$wb['domain_error_autosub'] = 'C\'è già un sottodominio con le stesse impostazioni.'; +$wb['available_php_directive_snippets_txt'] = 'Direttive PHP Snippets disponibili:'; +$wb['available_apache_directive_snippets_txt'] = 'Direttive Apache Snippets disponibili:'; +$wb['available_nginx_directive_snippets_txt'] = 'Direttive nginx Snippets disponibili:'; +$wb['proxy_directives_txt'] = 'Direttive Proxy'; +$wb['available_proxy_directive_snippets_txt'] = 'Direttive Proxy Snippets disponibili:'; +$wb['no_server_error'] = 'Nessun server selezionato.'; +$wb['no_backup_txt'] = 'Nessu backup'; +$wb['daily_backup_txt'] = 'Giornaliero'; +$wb['weekly_backup_txt'] = 'Settimanale'; +$wb['monthly_backup_txt'] = 'Mensile'; $wb['rewrite_rules_txt'] = 'Rewrite Rules'; -$wb['invalid_rewrite_rules_txt'] = 'Invalid Rewrite Rules'; -$wb['allowed_rewrite_rule_directives_txt'] = 'Allowed Directives:'; -$wb['configuration_error_txt'] = 'CONFIGURATION ERROR'; -$wb['web_folder_txt'] = 'Web folder'; -$wb['web_folder_invalid_txt'] = 'The web folder is invalid, please choose a different one.'; -$wb['web_folder_unique_txt'] = 'The web folder is already used, please choose a different one.'; +$wb['invalid_rewrite_rules_txt'] = 'Rewrite Rules non valide'; +$wb['allowed_rewrite_rule_directives_txt'] = 'Directive consentite:'; +$wb['configuration_error_txt'] = 'ERRORE DI CONFIGURAZIONE'; +$wb['web_folder_txt'] = 'Cartella Web'; +$wb['web_folder_invalid_txt'] = 'La cartella web non è valida, usa un percorso differente.'; +$wb['web_folder_unique_txt'] = 'La cartella web è già usata, usa un percorso differente.'; $wb['host_txt'] = 'Hostname'; -$wb['domain_error_wildcard'] = 'Wildcard subdomains are not allowed.'; -$wb['variables_txt'] = 'Variables'; -$wb['added_by_txt'] = 'Added by'; -$wb['added_date_txt'] = 'Added date'; -$wb['backup_excludes_txt'] = 'Excluded Directories'; -$wb['backup_excludes_note_txt'] = '(Separate multiple directories with commas. Example: web/cache/*,web/backup)'; -$wb['backup_excludes_error_regex'] = 'The excluded directories contain invalid characters.'; -$wb['server_chosen_not_ok'] = 'The selected server is not allowed for this account.'; -$wb['subdomain_error_empty'] = 'The subdommain field is empty or contains invalid characters.'; -$wb['btn_save_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['load_client_data_txt'] = 'Load client details'; -$wb['load_my_data_txt'] = 'Load my contact details'; -$wb['reset_client_data_txt'] = 'Reset data'; -$wb['rewrite_to_https_txt'] = 'Rewrite HTTP to HTTPS'; -$wb['password_strength_txt'] = 'Password strength'; -$wb['directive_snippets_id_txt'] = 'Web server config'; -$wb['http_port_txt'] = 'HTTP Port'; -$wb['https_port_txt'] = 'HTTPS Port'; -$wb['http_port_error_regex'] = 'HTTP Port invalid.'; -$wb['https_port_error_regex'] = 'HTTPS Port invalid.'; -$wb['enable_pagespeed_txt'] = 'Enable PageSpeed'; -$wb['log_retention_txt'] = 'Logfiles retention time'; -$wb['log_retention_error_regex'] = 'Retention time in days (allowed values: min. 0 - max. 9999)'; -$wb['limit_web_quota_not_0_txt'] = 'Harddisk Quota cannot be set to 0.'; -$wb['proxy_protocol_txt'] = 'Enable PROXY Protocol'; -$wb['backup_format_web_txt'] = 'Backup format for web files'; -$wb['backup_format_db_txt'] = 'Backup format for database'; -$wb['backup_missing_utils_txt'] = 'The following formats can not be used because they are not installed on the webserver: '; -$wb['backup_compression_options_txt'] = 'Compression options'; -$wb['backup_encryption_note_txt'] = 'Encryption is only available for 7z, RAR, and zip (not secure).'; -$wb['backup_encryption_options_txt'] = 'Encryption options'; -$wb['backup_enable_encryption_txt'] = 'Enable encryption'; +$wb['domain_error_wildcard'] = 'I sottodomini * non sono consentiti.'; +$wb['variables_txt'] = 'Variabili'; +$wb['added_by_txt'] = 'Aggiunto da'; +$wb['added_date_txt'] = 'Data di inserimento'; +$wb['backup_excludes_txt'] = 'Directory escluse'; +$wb['backup_excludes_note_txt'] = '(Separare le directory con una virgola. Esempio: web/cache/*,web/backup)'; +$wb['backup_excludes_error_regex'] = 'Le directory inserite contengono caratteri non corretti.'; +$wb['server_chosen_not_ok'] = 'Il server selezionato non è abilitato al tuo profilo.'; +$wb['subdomain_error_empty'] = 'Il campo sottodominio è vuoto o contiene caratteri non validi.'; +$wb['btn_save_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['load_client_data_txt'] = 'Carica i dettagli del cliente'; +$wb['load_my_data_txt'] = 'Carica i dettagli del mio contatto'; +$wb['reset_client_data_txt'] = 'Cancella i dati'; +$wb['rewrite_to_https_txt'] = 'Riscrivi HTTP to HTTPS'; +$wb['password_strength_txt'] = 'Forza della password'; +$wb['directive_snippets_id_txt'] = 'Configurazione Web server'; +$wb['http_port_txt'] = 'Porta HTTP'; +$wb['https_port_txt'] = 'Porta HTTPS'; +$wb['http_port_error_regex'] = 'Porta HTTP non valida.'; +$wb['https_port_error_regex'] = 'Porta HTTPS non valida.'; +$wb['enable_pagespeed_txt'] = 'Abilita PageSpeed'; +$wb['log_retention_txt'] = 'Durata di mantenimento dei file di log'; +$wb['log_retention_error_regex'] = 'Tempo di mantenimento in giorni (valori consentiti: min. 0 - max. 9999)'; +$wb['limit_web_quota_not_0_txt'] = 'Quota disco non può essere 0.'; +$wb['proxy_protocol_txt'] = 'Abilita protocollo PROXY'; +$wb['backup_format_web_txt'] = 'Formato Backup per i file web'; +$wb['backup_format_db_txt'] = 'Formato Backup per il database'; +$wb['backup_missing_utils_txt'] = 'I seguenti formati non possono essere usati perchè non sono installati sul server web: '; +$wb['backup_compression_options_txt'] = 'Opzioni di compressione'; +$wb['backup_encryption_note_txt'] = 'La cifratura è disponibile solo per i formati 7z, RAR e zip (poco sicura).'; +$wb['backup_encryption_options_txt'] = 'Opzioni di cifratura'; +$wb['backup_enable_encryption_txt'] = 'Abilita cifratura'; $wb['backup_password_txt'] = 'Password'; -$wb['backup_format_default_txt'] = 'Default: zip (deflate) or tar (gzip)'; +$wb['backup_format_default_txt'] = 'Default: zip (deflate) o tar (gzip)'; $wb['backup_format_zip_txt'] = 'zip (deflate)'; $wb['backup_format_gzip_txt'] = 'gzip'; $wb['backup_format_bzip2_txt'] = 'bzip2'; @@ -186,19 +186,19 @@ $wb['backup_format_tar_7z_lzma_txt'] = 'tar + 7z (LZMA)'; $wb['backup_format_tar_7z_lzma2_txt'] = 'tar + 7z (LZMA2)'; $wb['backup_format_tar_7z_ppmd_txt'] = 'tar + 7z (PPMd)'; $wb['backup_format_tar_7z_bzip2_txt'] = 'tar + 7z (BZip2)'; -$wb['dependent_domains_txt'] = 'Dependent sub- / aliasdomains'; -$wb['error_ipv4_change_forbidden'] = 'The IP cannot be changed. Please contact your administrator if you want to change the IPv4 address.'; -$wb['error_ipv6_change_forbidden'] = 'The IP cannot be changed. Please contact your administrator if you want to change the IPv6 address.'; -$wb['error_domain_change_forbidden'] = 'The domain name cannot be changed. Please contact your administrator if you want to change the domain name.'; -$wb['error_server_change_not_possible'] = 'The server cannot be changed.'; -$wb['jailkit_chroot_app_sections_txt'] = 'Jailkit chroot app sections'; -$wb['jailkit_chroot_app_programs_txt'] = 'Jailkit chrooted applications'; -$wb['jailkit_chroot_app_sections_error_empty'] = 'Jailkit chroot app sections vuoto.'; -$wb['jailkit_chroot_app_programs_error_empty'] = 'Jailkit chrooted applications vuoto.'; -$wb['jailkit_chroot_app_sections_error_regex'] = 'Invalid jaikit chroot sections.'; -$wb['jailkit_chroot_app_programs_error_regex'] = 'Invalid jaikit chroot app programs.'; -$wb['tooltip_jailkit_chroot_app_sections_txt'] = 'When empty, uses Jailkit chroot app sections from Server Config'; -$wb['tooltip_jailkit_chroot_app_programs_txt'] = 'When empty, uses Jailkit chroot applications from Server Config'; -$wb['delete_unused_jailkit_txt'] = 'Delete unused jailkit chroot'; -$wb['tooltip_delete_unused_jailkit_txt'] = 'Delete the jailkit chroot environment when there are no shell users or cron jobs which require it.'; -$wb['ssl_options_not_for_le_txt'] = 'You have Let\'s Encrypt certificates enabled for this website. Please be aware that all options on this page apply to non-Let\'s Encrypt certificates only. Remember to uncheck Let\'s Encrypt on the main tab if you want to switch to a different certificate.'; +$wb['dependent_domains_txt'] = ' sub- / alias dominio dipendente'; +$wb['error_ipv4_change_forbidden'] = 'Il numero IP non può essere cambiato. Contatta l\'amministratore se vuoi cambiare l\'indirizzo IP v4.'; +$wb['error_ipv6_change_forbidden'] = 'Il numero IP non può essere cambiato. Contatta l\'amministratore se vuoi cambiare l\'indirizzo IP v6.'; +$wb['error_domain_change_forbidden'] = 'Il dominio non può essere cambiato. Contatta l\'amministratore se vuoi cambiare il nome di dominio.'; +$wb['error_server_change_not_possible'] = 'Il server non può essere cambiato.'; +$wb['jailkit_chroot_app_sections_txt'] = 'Sezione Jailkit chroot app'; +$wb['jailkit_chroot_app_programs_txt'] = 'Applicazioni Jailkit chrooted'; +$wb['jailkit_chroot_app_sections_error_empty'] = 'Sezione Jailkit chroot app vuota.'; +$wb['jailkit_chroot_app_programs_error_empty'] = 'Applicazioni Jailkit chrooted vuota.'; +$wb['jailkit_chroot_app_sections_error_regex'] = 'Sezione Jailkit chroot non valida.'; +$wb['jailkit_chroot_app_programs_error_regex'] = 'Programmi Jailkit chroot app non validi.'; +$wb['tooltip_jailkit_chroot_app_sections_txt'] = 'Se vuota, usa la sezione Jailkit chroot app dalle configurazioni del server.'; +$wb['tooltip_jailkit_chroot_app_programs_txt'] = 'Se vuota, usa la sezione Jailkit chroot applications della configurazione del Server'; +$wb['delete_unused_jailkit_txt'] = 'Cancella jailkit chroot non usate'; +$wb['tooltip_delete_unused_jailkit_txt'] = 'Cancella l\'ambiente jailkit chroot quando non sono presenti utenti della shell o job cron che lo richiedono.'; +$wb['ssl_options_not_for_le_txt'] = 'Hai abilitato i certificati Let\'Encrypt per questo sito Web. Considera che tutte le opzioni di questa pagina si applicano a ai certificati non Let\'Encrypt solamente. Ricorda di deselezionare l\'opzione Let\'s Encrypt nella scheda principale se vuoi passare ad certificato differente.'; diff --git a/interface/web/sites/lib/lang/it_web_vhost_domain_admin_list.lng b/interface/web/sites/lib/lang/it_web_vhost_domain_admin_list.lng index 4f07fd858847320507e6139e777fbce2abb646c2..db7fbdb378a55f73f0bef01d1b1399b4a7b81cc8 100644 --- a/interface/web/sites/lib/lang/it_web_vhost_domain_admin_list.lng +++ b/interface/web/sites/lib/lang/it_web_vhost_domain_admin_list.lng @@ -1,14 +1,14 @@ <?php -$wb['sys_groupid_txt'] = 'Client'; -$wb['list_head_txt'] = 'Websites'; +$wb['sys_groupid_txt'] = 'Cliente'; +$wb['list_head_txt'] = 'Sito Web'; $wb['domain_id_txt'] = 'ID'; -$wb['active_txt'] = 'Active'; +$wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; -$wb['domain_txt'] = 'Domain'; -$wb['add_new_record_txt'] = 'Add new website'; -$wb['add_new_subdomain_txt'] = 'Add new subdomain'; -$wb['add_new_aliasdomain_txt'] = 'Add new aliasdomain'; -$wb['domain_list_head_txt'] = 'Websites'; -$wb['aliasdomain_list_head_txt'] = 'Aliasdomains (Vhost)'; -$wb['subdomain_list_head_txt'] = 'Subdomains (Vhost)'; +$wb['domain_txt'] = 'Dominio'; +$wb['add_new_record_txt'] = 'Aggiungi un sito Web'; +$wb['add_new_subdomain_txt'] = 'Aggiungi un sottodominion'; +$wb['add_new_aliasdomain_txt'] = 'Aggiungi un Alias di dominio'; +$wb['domain_list_head_txt'] = 'Siti Web'; +$wb['aliasdomain_list_head_txt'] = 'dominio Alias (Vhost)'; +$wb['subdomain_list_head_txt'] = 'Sottodominio (Vhost)'; ?> diff --git a/interface/web/sites/lib/lang/it_web_vhost_domain_list.lng b/interface/web/sites/lib/lang/it_web_vhost_domain_list.lng index b1ce2136c2e305dc49e79bbb87eb914b11ae9f94..4093dca27f6058c3ef33943a8302c1873b8ba681 100644 --- a/interface/web/sites/lib/lang/it_web_vhost_domain_list.lng +++ b/interface/web/sites/lib/lang/it_web_vhost_domain_list.lng @@ -6,9 +6,9 @@ $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['add_new_record_txt'] = 'Aggiungi nuovo sito'; $wb['parent_domain_id_txt'] = 'Website'; -$wb['add_new_subdomain_txt'] = 'Add new subdomain'; -$wb['add_new_aliasdomain_txt'] = 'Add new aliasdomain'; -$wb['domain_list_head_txt'] = 'Websites'; -$wb['aliasdomain_list_head_txt'] = 'Aliasdomains (Vhost)'; -$wb['subdomain_list_head_txt'] = 'Subdomains (Vhost)'; +$wb['add_new_subdomain_txt'] = 'Aggiungi nuovo sottodominio'; +$wb['add_new_aliasdomain_txt'] = 'Aggiungi nuovo alis di dominio'; +$wb['domain_list_head_txt'] = 'Siti Web'; +$wb['aliasdomain_list_head_txt'] = 'Alias dominio (Vhost)'; +$wb['subdomain_list_head_txt'] = 'Subdominio (Vhost)'; ?> diff --git a/interface/web/sites/lib/lang/it_web_vhost_subdomain.lng b/interface/web/sites/lib/lang/it_web_vhost_subdomain.lng index 5366e37bafbb0e78018de210d058aead00a0c912..7caed382ae7d440409b52eec4ebc876f4419eecb 100644 --- a/interface/web/sites/lib/lang/it_web_vhost_subdomain.lng +++ b/interface/web/sites/lib/lang/it_web_vhost_subdomain.lng @@ -1,40 +1,40 @@ <?php -$wb['parent_domain_id_txt'] = 'Parent Website'; +$wb['parent_domain_id_txt'] = 'Website genitore'; $wb['web_folder_txt'] = 'Cartella Web'; -$wb['web_folder_invalid_txt'] = 'La cartella web è errata, indicarne una diversa.'; -$wb['web_folder_unique_txt'] = 'La cartella web è già utilizzata, selezionarne una diversa.'; +$wb['web_folder_invalid_txt'] = 'La cartella web è errata, indicarne una diversa.'; +$wb['web_folder_unique_txt'] = 'La cartella web è già utilizzata, selezionarne una diversa.'; $wb['backup_interval_txt'] = 'Intervallo Backup'; $wb['backup_copies_txt'] = 'Numero copie di backup'; $wb['ssl_state_txt'] = 'Stato'; $wb['ssl_locality_txt'] = 'Città '; $wb['ssl_organisation_txt'] = 'Organizzazione'; -$wb['ssl_organisation_unit_txt'] = 'Unità Organizzazione'; +$wb['ssl_organisation_unit_txt'] = 'Reparto'; $wb['ssl_country_txt'] = 'Codice Nazione'; -$wb['ssl_key_txt'] = 'SSL Key'; -$wb['ssl_request_txt'] = 'SSL Request'; -$wb['ssl_cert_txt'] = 'SSL Certificate'; +$wb['ssl_key_txt'] = 'Chiave SSL'; +$wb['ssl_request_txt'] = 'Richiesta SSL'; +$wb['ssl_cert_txt'] = 'Certificato SSL'; $wb['ssl_bundle_txt'] = 'SSL Bundle'; -$wb['ssl_action_txt'] = 'SSL Action'; -$wb['ssl_domain_txt'] = 'SSL Domain'; +$wb['ssl_action_txt'] = 'Azione SSL'; +$wb['ssl_domain_txt'] = 'Dominio SSL'; $wb['server_id_txt'] = 'Server'; $wb['domain_txt'] = 'Dominio'; $wb['host_txt'] = 'Nome Host'; $wb['web_folder_error_regex'] = 'Cartella inserita non valida. Per favore non inserire uno slash.'; -$wb['web_folder_error_empty'] = 'Web folder cannot be empty. Use /web/ to make the same as the Parent Website'; +$wb['web_folder_error_empty'] = 'La cartella web non può essere vuota. Usare /web/ per la stessa cartella del sito Web genitore'; $wb['type_txt'] = 'Tipo'; $wb['redirect_type_txt'] = 'Tipo reinderizzamento'; -$wb['r_redirect_txt'] = 'R (Temporary redirect)'; -$wb['l_redirect_txt'] = 'L (Last redirect rule)'; -$wb['r_l_redirect_txt'] = 'R,L (Temporary redirect + last rule)'; -$wb['r_301_l_redirect_txt'] = 'R=301,L (Permanent redirect + last rule)'; +$wb['r_redirect_txt'] = 'R (Reindirizzamento temporaneo)'; +$wb['l_redirect_txt'] = 'L (Ultima regola di reindirizzamento)'; +$wb['r_l_redirect_txt'] = 'R,L (Reindirizzamento temporaneo + ultima regola)'; +$wb['r_301_l_redirect_txt'] = 'R=301,L (Reindirizzamento permanente + ultima regola)'; $wb['redirect_path_txt'] = 'Percorso Reinderizzamento'; $wb['active_txt'] = 'Attivo'; -$wb['document_root_txt'] = 'Documentroot'; +$wb['document_root_txt'] = 'Radice dei Documenti'; $wb['system_user_txt'] = 'Linux User'; $wb['system_group_txt'] = 'Linux Group'; $wb['ip_address_txt'] = 'Indirizzo IPv4'; $wb['ipv6_address_txt'] = 'Indirizzo IPv6'; -$wb['vhost_type_txt'] = 'VHost Type'; +$wb['vhost_type_txt'] = 'Tipo VHost'; $wb['hd_quota_txt'] = 'Quota Spazio Disco'; $wb['traffic_quota_txt'] = 'Quota Traffico'; $wb['cgi_txt'] = 'CGI'; @@ -45,35 +45,35 @@ $wb['ssl_txt'] = 'SSL'; $wb['suexec_txt'] = 'SuEXEC'; $wb['php_txt'] = 'PHP'; $wb['client_txt'] = 'Cliente'; -$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo di siti web per il tuo account.'; -$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il numero massimo di domini alias per il tuo account.'; -$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il numero massimo di sottodomini per il tuo account.'; +$wb['limit_web_domain_txt'] = 'Hai raggiunto il numero massimo di siti web per il tuo profilo.'; +$wb['limit_web_aliasdomain_txt'] = 'Hai raggiunto il numero massimo di domini alias per il tuo profilo.'; +$wb['limit_web_subdomain_txt'] = 'Hai raggiunto il numero massimo di sottodomini per il tuo profilo.'; $wb['apache_directives_txt'] = 'Direttive Apache'; -$wb['domain_error_empty'] = 'Domain vuoto.'; +$wb['domain_error_empty'] = 'Dominio vuoto.'; $wb['domain_error_unique'] = 'Esiste già un sito o sottodominio / dominio alias con questo nome dominio.'; $wb['domain_error_regex'] = 'Nome dominio non valido.'; -$wb['domain_error_wildcard'] = 'Non sono ammessi sottodomini wildcard.'; +$wb['domain_error_wildcard'] = 'Non sono ammessi sottodomini *.'; $wb['hd_quota_error_empty'] = 'Spazio disco 0 o vuoto.'; $wb['traffic_quota_error_empty'] = 'Quota Traffico vuoto.'; -$wb['error_ssl_state_empty'] = 'SSL State vuoto.'; -$wb['error_ssl_locality_empty'] = 'SSL Locality vuoto.'; -$wb['error_ssl_organisation_empty'] = 'SSL Organisation vuoto.'; -$wb['error_ssl_organisation_unit_empty'] = 'SSL Organisation Unit vuoto.'; -$wb['error_ssl_country_empty'] = 'SSL Country vuoto.'; -$wb['error_ssl_cert_empty'] = 'SSL Certificate field is empty'; +$wb['error_ssl_state_empty'] = 'SSL Stato vuoto.'; +$wb['error_ssl_locality_empty'] = 'SSL Località vuoto.'; +$wb['error_ssl_organisation_empty'] = 'SSL Organizzazione vuoto.'; +$wb['error_ssl_organisation_unit_empty'] = 'SSL Reparto vuoto.'; +$wb['error_ssl_country_empty'] = 'SSL Paese vuoto.'; +$wb['error_ssl_cert_empty'] = 'Campo Certificato SSL vuoto'; $wb['client_group_id_txt'] = 'Cliente'; -$wb['stats_password_txt'] = 'Statistiche Web password'; +$wb['stats_password_txt'] = 'password Statistiche Web'; $wb['allow_override_txt'] = 'Apache AllowOverride'; -$wb['limit_web_quota_free_txt'] = 'Max. available Harddisk Quota'; -$wb['ssl_state_error_regex'] = 'Invalid SSL State. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_locality_error_regex'] = 'Invalid SSL Locality. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_organisation_error_regex'] = 'Invalid SSL Organisation. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_organistaion_unit_error_regex'] = 'Invalid SSL Organisation Unit. Caratteri ammessi: a-z, 0-9 e .,-_'; -$wb['ssl_country_error_regex'] = 'Invalid SSL Country. Valid characters are: A-Z'; -$wb['limit_traffic_quota_free_txt'] = 'Max. available Traffic Quota'; -$wb['redirect_error_regex'] = 'Invalid redirect path. Valid redirects are for example: /test/ or https://www.domain.tld/test/'; +$wb['limit_web_quota_free_txt'] = 'Max. quota disco disponibile'; +$wb['ssl_state_error_regex'] = 'SSL Stato non valido. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_locality_error_regex'] = 'SSL Località non valida. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_organisation_error_regex'] = 'SSL Organizzazione non valida. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_organistaion_unit_error_regex'] = 'SSL Reparto non valido. Caratteri ammessi: a-z, 0-9 e .,-_'; +$wb['ssl_country_error_regex'] = 'SSL Paese non valido. Caratteri ammessi: are: A-Z'; +$wb['limit_traffic_quota_free_txt'] = 'Max. quota Traffico disponibile'; +$wb['redirect_error_regex'] = 'Percorso di reindirizzamento non valido. Esempi di percorsi validi: /test/ o https://www.domain.tld/test/'; $wb['php_open_basedir_txt'] = 'PHP open_basedir'; -$wb['traffic_quota_exceeded_txt'] = 'Traffic quota exceeded'; +$wb['traffic_quota_exceeded_txt'] = 'Quota Traffico superata'; $wb['ruby_txt'] = 'Ruby'; $wb['stats_user_txt'] = 'Statistiche Web nome utente'; $wb['stats_type_txt'] = 'Applicazione Statistiche Web'; @@ -82,14 +82,14 @@ $wb['none_txt'] = 'Nessuno'; $wb['disabled_txt'] = 'Disabilitato '; $wb['no_redirect_txt'] = 'Nessun reinderizzamento'; $wb['no_flag_txt'] = 'No flag'; -$wb['save_certificate_txt'] = 'Save certificate'; -$wb['create_certificate_txt'] = 'Crea certificate'; -$wb['delete_certificate_txt'] = 'Elimina certificate'; -$wb['nginx_directives_txt'] = 'nginx Directives'; -$wb['seo_redirect_txt'] = 'SEO Redirect'; +$wb['save_certificate_txt'] = 'Salva certificato'; +$wb['create_certificate_txt'] = 'Crea certificato'; +$wb['delete_certificate_txt'] = 'Elimina certificato'; +$wb['nginx_directives_txt'] = 'Direttive nginx'; +$wb['seo_redirect_txt'] = 'Reindirizzamento SEO'; $wb['non_www_to_www_txt'] = 'Non-www -> www'; $wb['www_to_non_www_txt'] = 'www -> non-www'; -$wb['php_fpm_use_socket_txt'] = 'Use Socket For PHP-FPM'; +$wb['php_fpm_use_socket_txt'] = 'Usare Socket per PHP-FPM'; $wb['error_no_sni_txt'] = 'SNI per SSL non attivo su questo server. Puoi abilitare un solo certificato SSL per indirizzo IP.'; $wb['python_txt'] = 'Python'; $wb['perl_txt'] = 'Perl'; @@ -97,39 +97,39 @@ $wb['pm_max_children_txt'] = 'PHP-FPM pm.max_children'; $wb['pm_start_servers_txt'] = 'PHP-FPM pm.start_servers'; $wb['pm_min_spare_servers_txt'] = 'PHP-FPM pm.min_spare_servers'; $wb['pm_max_spare_servers_txt'] = 'PHP-FPM pm.max_spare_servers'; -$wb['error_php_fpm_pm_settings_txt'] = 'Values of PHP-FPM pm settings must be as follows: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; -$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un valore intero positivo.'; -$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un valore intero positivo.'; -$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un valore intero positivo.'; -$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers deve essere un valore intero positivo.'; -$wb['hd_quota_error_regex'] = 'Harddisk quota is invalid.'; -$wb['traffic_quota_error_regex'] = 'Traffic quota is invalid.'; -$wb['server_php_id_txt'] = 'PHP Version'; +$wb['error_php_fpm_pm_settings_txt'] = 'Valori di impostazioni PHP-FPM pm devono soddisfare: pm.max_children >= pm.max_spare_servers >= pm.start_servers >= pm.min_spare_servers > 0'; +$wb['pm_max_children_error_regex'] = 'PHP-FPM pm.max_children deve essere un valore intero positivo.'; +$wb['pm_start_servers_error_regex'] = 'PHP-FPM pm.start_servers deve essere un valore intero positivo.'; +$wb['pm_min_spare_servers_error_regex'] = 'PHP-FPM pm.min_spare_servers deve essere un valore intero positivo.'; +$wb['pm_max_spare_servers_error_regex'] = 'PHP-FPM pm.max_spare_servers deve essere un valore intero positivo.'; +$wb['hd_quota_error_regex'] = 'quota disco non è valido.'; +$wb['traffic_quota_error_regex'] = 'Quota Traffic non valida.'; +$wb['server_php_id_txt'] = 'Versione PHP'; $wb['pm_txt'] = 'PHP-FPM Process Manager'; $wb['pm_process_idle_timeout_txt'] = 'PHP-FPM pm.process_idle_timeout'; $wb['pm_max_requests_txt'] = 'PHP-FPM pm.max_requests'; -$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout deve essere un valore intero positivo.'; -$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests must be an integer value >= 0.'; -$wb['pm_ondemand_hint_txt'] = 'Please note that you must have PHP version >= 5.3.9 in order to use the ondemand process manager. If you select ondemand for an older PHP version, PHP will not start anymore!'; +$wb['pm_process_idle_timeout_error_regex'] = 'PHP-FPM pm.process_idle_timeout deve essere un valore intero positivo.'; +$wb['pm_max_requests_error_regex'] = 'PHP-FPM pm.max_requests deve essere un intero >= 0.'; +$wb['pm_ondemand_hint_txt'] = 'Nota: che devi avere una versione PHP >= 5.3.9 per poter usare il processo ondemand. Se selezioni ondemand con una versione precedente di PHP, PHP non ripartirà più!'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; $wb['password_match_txt'] = 'Le password coincidono.'; -$wb['available_php_directive_snippets_txt'] = 'Available PHP Directive Snippets:'; -$wb['available_apache_directive_snippets_txt'] = 'Available Apache Directive Snippets:'; -$wb['available_nginx_directive_snippets_txt'] = 'Available nginx Directive Snippets:'; -$wb['proxy_directives_txt'] = 'Proxy Directives'; -$wb['available_proxy_directive_snippets_txt'] = 'Available Proxy Directive Snippets:'; -$wb['rewrite_rules_txt'] = 'Rewrite Rules'; -$wb['invalid_rewrite_rules_txt'] = 'Invalid Rewrite Rules'; -$wb['allowed_rewrite_rule_directives_txt'] = 'Allowed Directives:'; -$wb['configuration_error_txt'] = 'CONFIGURATION ERROR'; -$wb['variables_txt'] = 'Variables'; -$wb['backup_excludes_txt'] = 'Excluded Directories'; -$wb['backup_excludes_note_txt'] = '(Separate multiple directories with commas. Example: web/cache/*,web/backup)'; -$wb['backup_excludes_error_regex'] = 'The excluded directories contain invalid characters.'; -$wb['subdomain_error_empty'] = 'The subdommain field is empty or contiene caratteri non validi.'; -$wb['http_port_txt'] = 'HTTP Port'; -$wb['https_port_txt'] = 'HTTPS Port'; -$wb['http_port_error_regex'] = 'HTTP Port invalid.'; -$wb['https_port_error_regex'] = 'HTTPS Port invalid.'; +$wb['available_php_directive_snippets_txt'] = 'Direttive PHP Snippets disponibili:'; +$wb['available_apache_directive_snippets_txt'] = 'Direttive Apache Snippets disponibili:'; +$wb['available_nginx_directive_snippets_txt'] = 'Direttive nginx Snippets disponibili:'; +$wb['proxy_directives_txt'] = 'Direttive Proxy'; +$wb['available_proxy_directive_snippets_txt'] = 'Direttive Proxy Snippets disponibili:'; +$wb['rewrite_rules_txt'] = 'Regole di riscrittura'; +$wb['invalid_rewrite_rules_txt'] = 'Regole di riscrittura non valide'; +$wb['allowed_rewrite_rule_directives_txt'] = 'Direttive consentite:'; +$wb['configuration_error_txt'] = 'ERRORE DI CONFIGURAZIONE'; +$wb['variables_txt'] = 'Variabili'; +$wb['backup_excludes_txt'] = 'Cartelle escluse'; +$wb['backup_excludes_note_txt'] = '(Separate le cartelle da virgola. Esempi: web/cache/*,web/backup)'; +$wb['backup_excludes_error_regex'] = 'TLe cartelle escluse contengono caratteri non ammessi.'; +$wb['subdomain_error_empty'] = 'Il campo sottodominio è vuoto o contiene caratteri non validi.'; +$wb['http_port_txt'] = 'Porta HTTP'; +$wb['https_port_txt'] = 'Porta HTTPS'; +$wb['http_port_error_regex'] = 'Porta HTTP non valida.'; +$wb['https_port_error_regex'] = 'Porta HTTPS non valida.'; diff --git a/interface/web/sites/lib/lang/it_webdav_user.lng b/interface/web/sites/lib/lang/it_webdav_user.lng index 37be4c086160d9fa7497e591c748f62cd74a82d3..71d3adc9d36cdbe288b10c7345b3b1862aaba52c 100644 --- a/interface/web/sites/lib/lang/it_webdav_user.lng +++ b/interface/web/sites/lib/lang/it_webdav_user.lng @@ -1,19 +1,19 @@ <?php -$wb['dir_txt'] = 'Direttrice'; +$wb['dir_txt'] = 'Directory'; $wb['server_id_txt'] = 'Server'; $wb['parent_domain_id_txt'] = 'Sito Web'; $wb['username_txt'] = 'Nome Utente'; $wb['password_txt'] = 'Password'; $wb['password_strength_txt'] = 'Livello sicurezza Password'; $wb['active_txt'] = 'Attivo'; -$wb['limit_webdav_user_txt'] = 'Numero massimo utenti webdav per il tuo account,raggiunto.'; +$wb['limit_webdav_user_txt'] = 'Hai raggiunto il numero massimo utenti webdav per il tuo profilo.'; $wb['username_error_empty'] = 'Username vuoto.'; $wb['username_error_unique'] = 'Il nome utente deve essere unico.'; $wb['username_error_regex'] = 'Il nome utente contiene caratteri che non sono consentiti.'; -$wb['directory_error_empty'] = 'Direttrice vuota.'; +$wb['directory_error_empty'] = 'Direttory vuota.'; $wb['parent_domain_id_error_empty'] = 'Nessun sito web selezionato.'; -$wb['dir_dot_error'] = 'No .. in path allowed.'; -$wb['dir_slashdot_error'] = 'No ./ in path allowed.'; +$wb['dir_dot_error'] = 'Non è consentito .. nel percorso.'; +$wb['dir_slashdot_error'] = 'Non è consentito ./ nel percorso.'; $wb['generate_password_txt'] = 'Genera Password'; $wb['repeat_password_txt'] = 'Ripeti Password'; $wb['password_mismatch_txt'] = 'Le password non coincidono.'; diff --git a/interface/web/tools/lib/lang/it_import_ispconfig.lng b/interface/web/tools/lib/lang/it_import_ispconfig.lng index ce47c4da4d24b0709be26b5ec28b82ef2ec33b79..f3b5fccde29eee5faa619d43e020801c50e3b257 100644 --- a/interface/web/tools/lib/lang/it_import_ispconfig.lng +++ b/interface/web/tools/lib/lang/it_import_ispconfig.lng @@ -1,23 +1,23 @@ <?php -$wb['head_txt'] = 'Import email configuration from ISPConfig 3'; -$wb['legend_txt'] = 'Remote server connection details'; -$wb['legend2_txt'] = 'Import email domain'; -$wb['resync_sites_txt'] = 'Resync Websites'; -$wb['resync_ftp_txt'] = 'Resync FTP users'; -$wb['resync_shell_txt'] = 'Resync shell users'; -$wb['resync_cron_txt'] = 'Resync cronjobs'; -$wb['resync_db_txt'] = 'Resync clientdb config'; -$wb['resync_mailbox_txt'] = 'Resync Mailboxes'; -$wb['resync_dns_txt'] = 'Resync DNS records'; -$wb['btn_start_txt'] = 'Start Import'; -$wb['btn_connect_txt'] = 'Connect to remote server'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['client_group_id_txt'] = 'Local client'; -$wb['mail_domain_txt'] = 'Remote email domain'; -$wb['import_mailbox_txt'] = 'Import mailbox'; -$wb['import_aliasdomain_txt'] = 'Import alias domain'; -$wb['import_alias_txt'] = 'Import email alias'; -$wb['import_forward_txt'] = 'Import forward'; -$wb['import_user_filter_txt'] = 'Import user filter'; -$wb['import_spamfilter_txt'] = 'Import spamfilter'; +$wb['head_txt'] = 'Importa la configurazione email configuration da ISPConfig 3'; +$wb['legend_txt'] = 'Dettagli della connessione remota'; +$wb['legend2_txt'] = 'Importa dominio email'; +$wb['resync_sites_txt'] = 'Risincronizza siti Web'; +$wb['resync_ftp_txt'] = 'Risincronizza utenti FTP'; +$wb['resync_shell_txt'] = 'Risincronizza utenti shell'; +$wb['resync_cron_txt'] = 'Risincronizza cronjobs'; +$wb['resync_db_txt'] = 'Risincronizza configurazione clientdb'; +$wb['resync_mailbox_txt'] = 'Risincronizza Mailboxes'; +$wb['resync_dns_txt'] = 'Risincronizza record DNS'; +$wb['btn_start_txt'] = 'Avvia Importazione'; +$wb['btn_connect_txt'] = 'Connetti a un server remoto'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['client_group_id_txt'] = 'Cliente locale'; +$wb['mail_domain_txt'] = 'Dominio email remoto'; +$wb['import_mailbox_txt'] = 'Importa mailbox'; +$wb['import_aliasdomain_txt'] = 'Importa domini alias'; +$wb['import_alias_txt'] = 'Importa alias email'; +$wb['import_forward_txt'] = 'Importa Inoltri'; +$wb['import_user_filter_txt'] = 'Importa filtri utente'; +$wb['import_spamfilter_txt'] = 'Importa spamfilter'; ?> diff --git a/interface/web/tools/lib/lang/it_import_vpopmail.lng b/interface/web/tools/lib/lang/it_import_vpopmail.lng index 66fe56da1c7b170aaafa907796c2e5902387fc28..96a3ce35cd843d6d1fcb618fa9ed51f848245499 100644 --- a/interface/web/tools/lib/lang/it_import_vpopmail.lng +++ b/interface/web/tools/lib/lang/it_import_vpopmail.lng @@ -1,7 +1,7 @@ <?php -$wb['head_txt'] = 'Import email configuration from Vpopmail'; -$wb['legend_txt'] = 'Remote database server connection details'; -$wb['btn_start_txt'] = 'Start Import'; -$wb['btn_connect_txt'] = 'Connect to remote server'; -$wb['btn_cancel_txt'] = 'Cancel'; +$wb['head_txt'] = 'Importa configurazione email da Vpopmail'; +$wb['legend_txt'] = 'Dettagli connessione al server database'; +$wb['btn_start_txt'] = 'Avvia importazione'; +$wb['btn_connect_txt'] = 'Collega a in seerver remoto'; +$wb['btn_cancel_txt'] = 'Annulla'; ?> diff --git a/interface/web/tools/lib/lang/it_index.lng b/interface/web/tools/lib/lang/it_index.lng index a3ef38f21934a9d02669da2c2722feefc3f64325..ea996c4ff46f0e5ac57f518aa4dbb5a2b22e0816 100644 --- a/interface/web/tools/lib/lang/it_index.lng +++ b/interface/web/tools/lib/lang/it_index.lng @@ -1,4 +1,4 @@ <?php -$wb['page_head_txt'] = 'ISPConfig Tools'; -$wb['page_desc_txt'] = 'Change user settings'; +$wb['page_head_txt'] = 'Strumenti ISPConfig'; +$wb['page_desc_txt'] = 'Cambia impostazioni utente'; ?> diff --git a/interface/web/tools/lib/lang/it_interface.lng b/interface/web/tools/lib/lang/it_interface.lng new file mode 100644 index 0000000000000000000000000000000000000000..151bc2c3f04a3671e9528cb61efd58da5bef1c03 --- /dev/null +++ b/interface/web/tools/lib/lang/it_interface.lng @@ -0,0 +1,7 @@ +<?php +$wb['interface_head_txt'] = 'Impostazioni Interfaccia'; +$wb['interface_desc_txt'] = 'Modifica interfaccia'; +$wb['language_txt'] = 'Lingua pannello'; +$wb['startmodule_txt'] = 'Modulo di avvio'; +$wb['app_theme_txt'] = 'Apparenza'; +?> diff --git a/interface/web/tools/lib/lang/it_resync.lng b/interface/web/tools/lib/lang/it_resync.lng index 42831b890be9d9590be70588fdce332c39ba7ddb..704533c52c8786f02c9b868b53d56663c9ce8f4d 100644 --- a/interface/web/tools/lib/lang/it_resync.lng +++ b/interface/web/tools/lib/lang/it_resync.lng @@ -1,53 +1,53 @@ <?php -$wb['head_txt'] = 'Resync Tool'; -$wb['legend_txt'] = 'Resync'; -$wb['resync_all_txt'] = 'All services'; -$wb['resync_sites_txt'] = 'Websites'; -$wb['resync_ftp_txt'] = 'FTP-Accounts'; -$wb['resync_webdav_txt'] = 'WebDAV-Users'; -$wb['resync_shell_txt'] = 'Shell users'; -$wb['resync_cron_txt'] = 'Cronjobs'; -$wb['resync_db_txt'] = 'Client Database config'; -$wb['resync_mailbox_txt'] = 'Mailboxes'; -$wb['resync_mail_txt'] = 'Maildomains'; -$wb['resync_mailfilter_txt'] = 'Mailfilter'; +$wb['head_txt'] = 'Strumento di risincronizzazione'; +$wb['legend_txt'] = 'Risincronizza'; +$wb['resync_all_txt'] = 'Tutti i servizi'; +$wb['resync_sites_txt'] = 'I sit Web'; +$wb['resync_ftp_txt'] = 'Gli utenti FTP'; +$wb['resync_webdav_txt'] = 'Gli utenti WebDAV'; +$wb['resync_shell_txt'] = 'Gli utenti della Shell'; +$wb['resync_cron_txt'] = 'I job periodici'; +$wb['resync_db_txt'] = 'Configurazione database Clienti'; +$wb['resync_mailbox_txt'] = 'Caselle Email'; +$wb['resync_mail_txt'] = 'Domini Email'; +$wb['resync_mailfilter_txt'] = 'Filtri mail'; $wb['resync_mailinglist_txt'] = 'Mailinglist'; -$wb['resync_dns_txt'] = 'DNS records'; +$wb['resync_dns_txt'] = 'records DNS'; $wb['resync_vserver_txt'] = 'vServer'; -$wb['resync_client_txt'] = 'Client and reseller'; -$wb['all_active_txt'] = 'All active server'; -$wb['all_active_mail_txt'] = 'All active Mail-Server'; -$wb['all_active_web_txt'] = 'All active Web-Server'; -$wb['all_active_dns_txt'] = 'All active DNS-Server'; -$wb['all_active_file_txt'] = 'All active File-Server'; -$wb['all_active_db_txt'] = 'All active Database-Server'; -$wb['all_active_vserver_txt'] = 'All active vServer'; -$wb['do_sites_txt'] = 'Resynced Website'; -$wb['do_ftp_txt'] = 'Resynced FTP user'; -$wb['do_webdav_txt'] = 'Resynced WebDav user'; -$wb['do_shell_txt'] = 'Resynced Shell user'; +$wb['resync_client_txt'] = 'Clienti e rivenditori'; +$wb['all_active_txt'] = 'Tutti i server Attivi'; +$wb['all_active_mail_txt'] = 'Tutti i Mail-Server attivi'; +$wb['all_active_web_txt'] = 'Tutti i server Web attivi'; +$wb['all_active_dns_txt'] = 'Tutti i server DNS attivi'; +$wb['all_active_file_txt'] = 'Tutti i File-Server attivi'; +$wb['all_active_db_txt'] = 'Tutti i server Database attivi'; +$wb['all_active_vserver_txt'] = 'Tutti i vServer attivi'; +$wb['do_sites_txt'] = 'Sit Web risincronizzati'; +$wb['do_ftp_txt'] = 'Utenti FTP risincronizzati'; +$wb['do_webdav_txt'] = 'Utenti WebDav risincronizzati'; +$wb['do_shell_txt'] = 'Utenti Shell risincronizzati'; $wb['do_cron_txt'] = 'Resynced Cronjob'; -$wb['do_db_user_txt'] = 'Resynced Database User'; -$wb['do_db_txt'] = 'Resynced Database'; -$wb['do_mail_txt'] = 'Resynced Maildomain'; -$wb['do_mailbox_txt'] = 'Resynced Mailbox'; -$wb['do_mail_alias_txt'] = 'Resynced Alias'; -$wb['do_mail_access_txt'] = 'Resynced Mail access'; -$wb['do_mail_contentfilter_txt'] = 'Resynced Content Filter'; -$wb['do_mail_userfilter_txt'] = 'Resynced Mail User Filter'; -$wb['do_mailinglist_txt'] = 'Resynced Mailinglist'; -$wb['do_dns_txt'] = 'Resynced DNS zone'; -$wb['do_vserver_txt'] = 'Resynced vServer'; -$wb['do_clients_txt'] = 'Resynced clients and reseller'; -$wb['no_results_txt'] = 'Nothing found'; +$wb['do_db_user_txt'] = 'Utenti Database risincronizzati'; +$wb['do_db_txt'] = 'Database risincronizzati'; +$wb['do_mail_txt'] = 'Domini Mail risincronizzati'; +$wb['do_mailbox_txt'] = 'Caselle Mail risincronizzati'; +$wb['do_mail_alias_txt'] = 'Alias risincronizzati'; +$wb['do_mail_access_txt'] = 'Accessi Mail risincronizzati'; +$wb['do_mail_contentfilter_txt'] = 'Filtri di contenuto risincronizzati'; +$wb['do_mail_userfilter_txt'] = 'Filtri utenti mail risincronizzati'; +$wb['do_mailinglist_txt'] = 'Mailinglist risincronizzate'; +$wb['do_dns_txt'] = 'Zone DNS risincronizzati'; +$wb['do_vserver_txt'] = 'vServer risincronizzati'; +$wb['do_clients_txt'] = 'Clients e rivenditori risincronizzati'; +$wb['no_results_txt'] = 'Niente'; $wb['btn_start_txt'] = 'Start'; -$wb['btn_cancel_txt'] = 'Cancel'; -$wb['do_mail_spamfilter_policy_txt'] = 'Resynced Spamfilter Policies'; -$wb['do_mail_spamfilter_txt'] = 'Resynced Spamfilter'; -$wb['do_mailget_txt'] = 'Resynced Fetchmail'; +$wb['btn_cancel_txt'] = 'Annulla'; +$wb['do_mail_spamfilter_policy_txt'] = 'Politiche Spamfilter risincronizzate'; +$wb['do_mail_spamfilter_txt'] = 'Filtri Spam risincronizzati'; +$wb['do_mailget_txt'] = 'Fetchmail risincronizzati'; $wb['resync_mailget_txt'] = 'Fetchmail'; $wb['resync_mailtransport_txt'] = 'E-Mail Transport'; $wb['resync_mailrelay_txt'] = 'E-Mail Relay'; -$wb['do_mailtransport_txt'] = 'Resynced Mailtransport'; -$wb['do_mailrelay_txt'] = 'Resynced Mailrelay'; +$wb['do_mailtransport_txt'] = 'Mailtransport risincronizzati'; +$wb['do_mailrelay_txt'] = 'Mailrelay risincronizzati'; ?> diff --git a/interface/web/tools/lib/lang/it_tpl_default.lng b/interface/web/tools/lib/lang/it_tpl_default.lng index c06246304d016300490b28f50eb168cff4cdbc4e..aca4cc59e44a23360d67fc6a515172f3b42f782b 100644 --- a/interface/web/tools/lib/lang/it_tpl_default.lng +++ b/interface/web/tools/lib/lang/it_tpl_default.lng @@ -1,7 +1,7 @@ <?php -$wb['list_head_txt'] = 'Default Theme settings'; -$wb['list_desc_txt'] = 'Modify default-theme specific options'; -$wb['no_settings_txt'] = 'There are no settings for the default theme.'; -$wb['btn_start_txt'] = 'Save'; -$wb['btn_cancel_txt'] = 'Back'; +$wb['list_head_txt'] = 'Impostazioni default del tema'; +$wb['list_desc_txt'] = 'Modifica le opzioni specifiche del tema default'; +$wb['no_settings_txt'] = 'Non sono presenti impostazioni per il tema default.'; +$wb['btn_start_txt'] = 'Salva'; +$wb['btn_cancel_txt'] = 'Indietro'; ?> diff --git a/interface/web/tools/lib/lang/it_usersettings.lng b/interface/web/tools/lib/lang/it_usersettings.lng index a1ad8eba871125a2cf17c29a4e70b39f2f2f995d..0f1cefe1bf3411eeb539324b6927dd3ac96dfe26 100644 --- a/interface/web/tools/lib/lang/it_usersettings.lng +++ b/interface/web/tools/lib/lang/it_usersettings.lng @@ -2,14 +2,14 @@ $wb['password_txt'] = 'Password'; $wb['language_txt'] = 'Lingua'; $wb['password_mismatch'] = 'Il secondo campo password non corrisponde con il primo.'; -$wb['Form to edit the user password and language.'] = 'Form per modificare la password e la lingua dellutente.'; +$wb['Form to edit the user password and language.'] = 'Form per modificare la password e la lingua dell\'utente.'; $wb['Settings'] = 'Impostazioni'; $wb['password_strength_txt'] = 'Sicurezza della Password'; -$wb['generate_password_txt'] = 'Generate Password'; -$wb['repeat_password_txt'] = 'Repeat Password'; -$wb['password_mismatch_txt'] = 'The passwords do not match.'; -$wb['password_match_txt'] = 'The passwords do match.'; -$wb['language_txt'] = 'Language'; -$wb['startmodule_txt'] = 'Startmodule'; -$wb['app_theme_txt'] = 'Design'; +$wb['generate_password_txt'] = 'Genera Password'; +$wb['repeat_password_txt'] = 'Ripeti Password'; +$wb['password_mismatch_txt'] = 'Le password sono diverse.'; +$wb['password_match_txt'] = 'Le password coincidono.'; +$wb['language_txt'] = 'Lingua pannello'; +$wb['startmodule_txt'] = 'Modulo di avvio'; +$wb['app_theme_txt'] = 'Apparenza'; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_ostemplate.lng b/interface/web/vm/lib/lang/it_openvz_ostemplate.lng index 5b58e7ebc5c30df7f3e5a67f28d5803b20221601..3d5bbda64bae2961a63fd51ae3f71cece0df1f42 100644 --- a/interface/web/vm/lib/lang/it_openvz_ostemplate.lng +++ b/interface/web/vm/lib/lang/it_openvz_ostemplate.lng @@ -1,11 +1,11 @@ <?php -$wb['template_file_txt'] = 'Nome file del Template'; +$wb['template_file_txt'] = 'Nome file del Modello'; $wb['server_id_txt'] = 'Server'; $wb['allservers_txt'] = 'Esiste su tutti i servers'; $wb['active_txt'] = 'Attivo'; $wb['description_txt'] = 'Descrizione'; -$wb['template_name_error_empty'] = 'Template name vuoto.'; -$wb['template_file_error_empty'] = 'Template filename vuoto.'; -$wb['Template'] = 'Template'; -$wb['template_name_txt'] = 'Template name'; +$wb['template_name_error_empty'] = 'Modello nome vuoto.'; +$wb['template_file_error_empty'] = 'Modello filename vuoto.'; +$wb['Template'] = 'Modello'; +$wb['template_name_txt'] = 'Modello nome'; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_ostemplate_list.lng b/interface/web/vm/lib/lang/it_openvz_ostemplate_list.lng index 7df4dc7fe63d8e2b1892bb6eb2fbe301590f7cc4..847ee336cf4483e2053779e5988917b1237beeb4 100644 --- a/interface/web/vm/lib/lang/it_openvz_ostemplate_list.lng +++ b/interface/web/vm/lib/lang/it_openvz_ostemplate_list.lng @@ -4,5 +4,5 @@ $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Server'; $wb['allservers_txt'] = 'Esiste su tutti i servers'; $wb['ostemplate_id_txt'] = 'ID'; -$wb['template_name_txt'] = 'Template name'; +$wb['template_name_txt'] = 'Modello name'; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_template.lng b/interface/web/vm/lib/lang/it_openvz_template.lng index b23f8623632c780e5e70f0156de887c00a3700d2..07e6b16281841260935c4518cf34c7da6160d325 100644 --- a/interface/web/vm/lib/lang/it_openvz_template.lng +++ b/interface/web/vm/lib/lang/it_openvz_template.lng @@ -56,7 +56,7 @@ $wb['dcachesize_desc_txt'] = 'Dimensione totale di dentry and inode structures l $wb['numiptent_desc_txt'] = 'Numero di inserimenti NETFILTER (IP packet filtering).'; $wb['swappages_desc_txt'] = 'Dimensione di swap space da mostrare nel contenitore.'; $wb['create_dns_txt'] = 'Crea DNS per questo nome host'; -$wb['template_name_error_empty'] = 'Template name vuoto.'; +$wb['template_name_error_empty'] = 'Modello name vuoto.'; $wb['diskspace_error_empty'] = 'Spazio disco vuoto.'; $wb['ram_error_empty'] = 'RAM (guaranteed) vuoto.'; $wb['ram_burst_error_empty'] = 'RAM (burst) vuoto.'; @@ -87,11 +87,11 @@ $wb['numsiginfo_error_empty'] = 'Numsiginfo vuoto.'; $wb['dcachesize_error_empty'] = 'Dcachesize vuoto.'; $wb['numiptent_error_empty'] = 'Numiptent vuoto.'; $wb['swappages_error_empty'] = 'Swappages vuoto.'; -$wb['Template'] = 'Template'; -$wb['Advanced'] = 'Advanced'; -$wb['template_name_txt'] = 'Template name'; -$wb['features_txt'] = 'Features'; +$wb['Template'] = 'Modello'; +$wb['Advanced'] = 'Avanzate'; +$wb['template_name_txt'] = 'Nome Modello'; +$wb['features_txt'] = 'Caratteristiche'; $wb['iptables_txt'] = 'IP Tables'; -$wb['custom_txt'] = 'Custom settings'; -$wb['custom_error'] = 'Not allowed in Custom settings: '; +$wb['custom_txt'] = 'Impostazioni personalizzate'; +$wb['custom_error'] = 'Non consentito nelle impostazioni personalizzate: '; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_template_list.lng b/interface/web/vm/lib/lang/it_openvz_template_list.lng index f7520680851c11968f134ea1fa881d95cf83af53..d0e815f8f338bf69003f082aa97dca95c7a2ee00 100644 --- a/interface/web/vm/lib/lang/it_openvz_template_list.lng +++ b/interface/web/vm/lib/lang/it_openvz_template_list.lng @@ -1,5 +1,5 @@ <?php -$wb['list_head_txt'] = 'OpenVZ Virtual Machine Template'; +$wb['list_head_txt'] = 'OpenVZ Virtual Machine Modello'; $wb['active_txt'] = 'Attivo'; -$wb['template_name_txt'] = 'Template name'; +$wb['template_name_txt'] = 'Modello name'; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_vm.lng b/interface/web/vm/lib/lang/it_openvz_vm.lng index 8290d94e99935a339ac53ce1b5c64d0b53101a9a..ee32d56e56b9d5c9853eb0cbc7769518446fa102 100644 --- a/interface/web/vm/lib/lang/it_openvz_vm.lng +++ b/interface/web/vm/lib/lang/it_openvz_vm.lng @@ -8,10 +8,10 @@ $wb['cpu_limit_txt'] = 'CPU limite'; $wb['io_priority_txt'] = 'I/O priorita'; $wb['nameserver_txt'] = 'Nameserver(s)'; $wb['nameserver_desc_txt'] = '(separati da spazi)'; -$wb['capability_txt'] = 'Capacita'; +$wb['capability_txt'] = 'Capacità '; $wb['server_id_txt'] = 'Hostserver'; $wb['ostemplate_id_txt'] = 'OSTemplate'; -$wb['template_id_txt'] = 'Template'; +$wb['template_id_txt'] = 'Modello'; $wb['ip_address_txt'] = 'Indirizzo IP '; $wb['hostname_txt'] = 'Hostname'; $wb['vm_password_txt'] = 'VM Password'; @@ -37,9 +37,9 @@ $wb['io_priority_error_empty'] = 'I/O priority vuoto.'; $wb['template_nameserver_error_empty'] = 'Nameserver(s) vuoto.'; $wb['Virtual server'] = 'Virtual server'; $wb['Advanced'] = 'Avanzato'; -$wb['features_txt'] = 'Features'; +$wb['features_txt'] = 'Caratteristiche'; $wb['iptables_txt'] = 'IP Tables'; -$wb['custom_txt'] = 'Custom settings'; -$wb['bootorder_txt'] = 'Boot order priority'; -$wb['bootorder_error_notpositive'] = 'Only positive integers are allowed for Boot order priority'; +$wb['custom_txt'] = 'Impostazioni personalizzate'; +$wb['bootorder_txt'] = 'Ordine di priorità di boot'; +$wb['bootorder_error_notpositive'] = 'Sono consentiti solo numeri interi positivi per ordine di priorità Boot'; ?> diff --git a/interface/web/vm/lib/lang/it_openvz_vm_list.lng b/interface/web/vm/lib/lang/it_openvz_vm_list.lng index 3ed0a012af67354c2de67299b9428c29c21c4507..22d4b00ad9ba730d71c0ac7515206020e5df79b9 100644 --- a/interface/web/vm/lib/lang/it_openvz_vm_list.lng +++ b/interface/web/vm/lib/lang/it_openvz_vm_list.lng @@ -3,7 +3,7 @@ $wb['list_head_txt'] = 'Virtual server'; $wb['active_txt'] = 'Attivo'; $wb['server_id_txt'] = 'Hostserver'; $wb['ostemplate_id_txt'] = 'OSTemplate'; -$wb['template_id_txt'] = 'Template'; +$wb['template_id_txt'] = 'Modello'; $wb['hostname_txt'] = 'Nome Host'; $wb['ip_address_txt'] = 'Indirizzo IP'; $wb['veid_txt'] = 'VEID'; diff --git a/server/lib/app.inc.php b/server/lib/app.inc.php index f8f4a3081156860fe934162c5293b393b8e68194..ffd20e9fb6129df681a0c5ae158b2d3929557f6a 100644 --- a/server/lib/app.inc.php +++ b/server/lib/app.inc.php @@ -27,6 +27,10 @@ NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ +if(version_compare(phpversion(), '7.0', '<')) { + require_once 'compatibility.inc.php'; +} + // Set timezone if(isset($conf['timezone']) && $conf['timezone'] != '') { // note: !empty($conf['timezone']) should give the same result and is more idiomatic for current versions of PHP (gwyneth 20220315) date_default_timezone_set($conf['timezone']); @@ -266,7 +270,7 @@ class app { } /** @var string Formatted message to be sent to the logging subsystems. */ - $log_msg = @date('d.m.Y-H:i') . ' - ' . $priority_txt .' ' . $file_line_caller . '- '. $msg; + $log_msg = @date('d.m.Y-H:i') . ' - ' . $priority_txt . ' ' . $file_line_caller . '- '. $msg; // Check if the user-set priority defines that this message should be output at all. if($priority >= $conf['log_priority']) { @@ -278,7 +282,7 @@ class app { die('Unable to open logfile.'); } - if(!fwrite($fp, $log_msg . '\r\n')) { + if(!fwrite($fp, $log_msg . "\r\n")) { die('Unable to write to logfile.'); } diff --git a/server/lib/compatibility.inc.php b/server/lib/compatibility.inc.php new file mode 100644 index 0000000000000000000000000000000000000000..562e07ada42f404cae0708f32105dcf39a84768c --- /dev/null +++ b/server/lib/compatibility.inc.php @@ -0,0 +1,80 @@ +<?php + +/* +Copyright (c) 2021, Jesse Norell <jesse@kci.net> +All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, +are permitted provided that the following conditions are met: + + * Redistributions of source code must retain the above copyright notice, + this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above copyright notice, + this list of conditions and the following disclaimer in the documentation + and/or other materials provided with the distribution. + * Neither the name of ISPConfig nor the names of its contributors + may be used to endorse or promote products derived from this software without + specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND +ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED +WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. +IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, +INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, +BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY +OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, +EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. +*/ + +/* random_bytes can be dropped when php 5.6 support is dropped */ +if (! function_exists('random_bytes')) { + function random_bytes($length) { + return openssl_random_pseudo_bytes($length); + } +} + +/* random_int can be dropped when php 5.6 support is dropped */ +if (! function_exists('random_int')) { + function random_int($min=null, $max=null) { + if (null === $min) { + $min = PHP_INT_MIN; + } + + if (null === $max) { + $min = PHP_INT_MAX; + } + + if (!is_int($min) || !is_int($max)) { + trigger_error('random_int: $min and $max must be integer values', E_USER_NOTICE); + $min = (int)$min; + $max = (int)$max; + } + + if ($min > $max) { + trigger_error('random_int: $max can\'t be lesser than $min', E_USER_WARNING); + return null; + } + + $range = $counter = $max - $min; + $bits = 1; + + while ($counter >>= 1) { + ++$bits; + } + + $bytes = (int)max(ceil($bits/8), 1); + $bitmask = pow(2, $bits) - 1; + + if ($bitmask >= PHP_INT_MAX) { + $bitmask = PHP_INT_MAX; + } + + do { + $result = hexdec(bin2hex(random_bytes($bytes))) & $bitmask; + } while ($result > $range); + + return $result + $min; + } +}