News:

Want to get involved in developing SMF, then why not lend a hand on our github!

Main Menu

problema caricare mod..

Started by Vittorio, December 17, 2012, 08:45:00 AM

Previous topic - Next topic

Vittorio

ahimè..ho fatto tutto niente da fare....

hollywood9111

se hai messo il permesso passami il file errors.php

Vittorio


hollywood9111

o lo metti in allegato qua oppure fai un copia incolla e lo metti qua tra i tag

Vittorio

<?php

/**
 * Simple Machines Forum (SMF)
 *
 * @package SMF
 * @author Simple Machines http://www.simplemachines.org
 * @copyright 2011 Simple Machines
 * @license http://www.simplemachines.org/about/smf/license.php BSD
 *
 * @version 2.0
 */

if (!defined('SMF'))
die('Hacking attempt...');

/* The purpose of this file is... errors. (hard to guess, huh?)  It takes
care of logging, error messages, error handling, database errors, and
error log administration.  It does this with:

bool db_fatal_error(bool loadavg = false)
- calls show_db_error().
- this is used for database connection error handling.
- loadavg means this is a load average problem, not a database error.

string log_error(string error_message, string error_type = general,
string filename = none, int line = none)
- logs an error, if error logging is enabled.
- depends on the enableErrorLogging setting.
- filename and line should be __FILE__ and __LINE__, respectively.
- returns the error message. (ie. die(log_error($msg));)

void fatal_error(string error_message, mixed (bool or string) log = general)
- stops execution and displays an error message.
- logs the error message if log is missing or true.

void fatal_lang_error(string error_message_key, mixed (bool or string) log = general,
array sprintf = array())
- stops execution and displays an error message by key.
- uses the string with the error_message_key key.
- loads the Errors language file.
- applies the sprintf information if specified.
- the information is logged if log is true or missing.
- logs the error in the forum's default language while displaying the error
  message in the user's language

void error_handler(int error_level, string error_string, string filename,
int line)
- this is a standard PHP error handler replacement.
- dies with fatal_error() if the error_level matches with
  error_reporting.

void setup_fatal_error_context(string error_message)
- uses the fatal_error sub template of the Errors template - or the
  error sub template in the Wireless template.
- used by fatal_error() and fatal_lang_error()

void show_db_error(bool loadavg = false)
- called by db_fatal_error() function
- shows a complete page independent of language files or themes.
- used only if there's no way to connect to the database or the
  load averages are too high to do so.
- loadavg means this is a load average problem, not a database error.
- stops further execution of the script.
*/

// Handle fatal errors - like connection errors or load average problems
function db_fatal_error($loadavg false)
{
global $sourcedir;

show_db_error($loadavg);

// Since we use "or db_fatal_error();" this is needed...
return false;
}

// Log an error, if the option is on.
function log_error($error_message$error_type 'general'$file null$line null)
{
global $txt$modSettings$sc$user_info$smcFunc$scripturl$last_error;

// Check if error logging is actually on.
if (empty($modSettings['enableErrorLogging']))
return $error_message;

// Basically, htmlspecialchars it minus &. (for entities!)
$error_message strtr($error_message, array('<' => '&lt;''>' => '&gt;''"' => '&quot;'));
$error_message strtr($error_message, array('&lt;br /&gt;' => '<br />''&lt;b&gt;' => '<strong>''&lt;/b&gt;' => '</strong>'"\n" => '<br />'));

// Add a file and line to the error message?
// Don't use the actual txt entries for file and line but instead use %1$s for file and %2$s for line
if ($file == null)
$file '';
else
// Window style slashes don't play well, lets convert them to the unix style.
$file str_replace('\\''/'$file);

if ($line == null)
$line 0;
else
$line = (int) $line;

// Just in case there's no id_member or IP set yet.
if (empty($user_info['id']))
$user_info['id'] = 0;
if (empty($user_info['ip']))
$user_info['ip'] = '';

// Find the best query string we can...
$query_string = empty($_SERVER['QUERY_STRING']) ? (empty($_SERVER['REQUEST_URL']) ? '' str_replace($scripturl''$_SERVER['REQUEST_URL'])) : $_SERVER['QUERY_STRING'];

// Don't log the session hash in the url twice, it's a waste.
$query_string htmlspecialchars((SMF == 'SSI' '' '?') . preg_replace(array('~;sesc=[^&;]+~''~' session_name() . '=' session_id() . '[&;]~'), array(';sesc'''), $query_string));

// Just so we know what board error messages are from.
if (isset($_POST['board']) && !isset($_GET['board']))
$query_string .= ($query_string == '' 'board=' ';board=') . $_POST['board'];

// What types of categories do we have?
$known_error_types = array(
'general',
'critical',
'database',
'undefined_vars',
'user',
'template',
'debug',
);

// Make sure the category that was specified is a valid one
$error_type in_array($error_type$known_error_types) && $error_type !== true $error_type 'general';

// Don't log the same error countless times, as we can get in a cycle of depression...
$error_info = array($user_info['id'], time(), $user_info['ip'], $query_string$error_message, (string) $sc$error_type$file$line);
if (empty($last_error) || $last_error != $error_info)
{
// Insert the error into the database.
$smcFunc['db_insert']('',
'{db_prefix}log_errors',
array('id_member' => 'int''log_time' => 'int''ip' => 'string-16''url' => 'string-65534''message' => 'string-65534''session' => 'string''error_type' => 'string''file' => 'string-255''line' => 'int'),
$error_info,
array('id_error')
);
$last_error $error_info;
}

// Return the message to make things simpler.
return $error_message;
}

// An irrecoverable error.
function fatal_error($error$log 'general')
{
global $txt$context$modSettings;

// We don't have $txt yet, but that's okay...
if (empty($txt))
die($error);

setup_fatal_error_context($log || (!empty($modSettings['enableErrorLogging']) && $modSettings['enableErrorLogging'] == 2) ? log_error($error$log) : $error);
}

// A fatal error with a message stored in the language file.
function fatal_lang_error($error$log 'general'$sprintf = array())
{
global $txt$language$modSettings$user_info$context;
static $fatal_error_called false;

// Try to load a theme if we don't have one.
if (empty($context['theme_loaded']) && empty($fatal_error_called))
{
$fatal_error_called true;
loadTheme();
}

// If we have no theme stuff we can't have the language file...
if (empty($context['theme_loaded']))
die($error);

$reload_lang_file true;
// Log the error in the forum's language, but don't waste the time if we aren't logging
if ($log || (!empty($modSettings['enableErrorLogging']) && $modSettings['enableErrorLogging'] == 2))
{
loadLanguage('Errors'$language);
$reload_lang_file $language != $user_info['language'];
$error_message = empty($sprintf) ? $txt[$error] : vsprintf($txt[$error], $sprintf);
log_error($error_message$log);
}

// Load the language file, only if it needs to be reloaded
if ($reload_lang_file)
{
loadLanguage('Errors');
$error_message = empty($sprintf) ? $txt[$error] : vsprintf($txt[$error], $sprintf);
}

setup_fatal_error_context($error_message);
}

// Handler for standard error messages.
function error_handler($error_level$error_string$file$line)
{
global $settings$modSettings$db_show_debug;

// Ignore errors if we're ignoring them or they are strict notices from PHP 5 (which cannot be solved without breaking PHP 4.)
if (error_reporting() == || (defined('E_STRICT') && $error_level == E_STRICT && (empty($modSettings['enableErrorLogging']) || $modSettings['enableErrorLogging'] != 2)))
return;

if (strpos($file'eval()') !== false && !empty($settings['current_include_filename']))
{
if (function_exists('debug_backtrace'))
{
$array debug_backtrace();
for ($i 0$i count($array); $i++)
{
if ($array[$i]['function'] != 'loadSubTemplate')
continue;

// This is a bug in PHP, with eval, it seems!
if (empty($array[$i]['args']))
$i++;
break;
}

if (isset($array[$i]) && !empty($array[$i]['args']))
$file realpath($settings['current_include_filename']) . ' (' $array[$i]['args'][0] . ' sub template - eval?)';
else
$file realpath($settings['current_include_filename']) . ' (eval?)';
}
else
$file realpath($settings['current_include_filename']) . ' (eval?)';
}

if (isset($db_show_debug) && $db_show_debug === true)
{
// Commonly, undefined indexes will occur inside attributes; try to show them anyway!
if ($error_level 255 != E_ERROR)
{
$temporary ob_get_contents();
if (substr($temporary, -2) == '="')
echo '"';
}

// Debugging!  This should look like a PHP error message.
echo '<br />
<strong>'
$error_level 255 == E_ERROR 'Error' : ($error_level 255 == E_WARNING 'Warning' 'Notice'), '</strong>: '$error_string' in <strong>'$file'</strong> on line <strong>'$line'</strong><br />';
}

$error_type strpos(strtolower($error_string), 'undefined') !== false 'undefined_vars' 'general';

$message log_error($error_level ': ' $error_string$error_type$file$line);

// Let's give integrations a chance to ouput a bit differently
call_integration_hook('integrate_output_error', array($message$error_type$error_level$file$line));

// Dying on these errors only causes MORE problems (blank pages!)
if ($file == 'Unknown')
return;

// If this is an E_ERROR or E_USER_ERROR.... die.  Violently so.
if ($error_level 255 == E_ERROR)
obExit(false);
else
return;

// If this is an E_ERROR, E_USER_ERROR, E_WARNING, or E_USER_WARNING.... die.  Violently so.
if ($error_level 255 == E_ERROR || $error_level 255 == E_WARNING)
fatal_error(allowedTo('admin_forum') ? $message $error_stringfalse);

// We should NEVER get to this point.  Any fatal error MUST quit, or very bad things can happen.
if ($error_level 255 == E_ERROR)
die('Hacking attempt...');
}

function 
setup_fatal_error_context($error_message)
{
global $context$txt$ssi_on_error_method;
static $level 0;

// Attempt to prevent a recursive loop.
++$level;
if ($level 1)
return false;

// Maybe they came from dlattach or similar?
if (SMF != 'SSI' && empty($context['theme_loaded']))
loadTheme();

// Don't bother indexing errors mate...
$context['robot_no_index'] = true;

if (!isset($context['error_title']))
$context['error_title'] = $txt['error_occured'];
$context['error_message'] = isset($context['error_message']) ? $context['error_message'] : $error_message;

if (empty($context['page_title']))
$context['page_title'] = $context['error_title'];

// Display the error message - wireless?
if (defined('WIRELESS') && WIRELESS)
$context['sub_template'] = WIRELESS_PROTOCOL '_error';
// Load the template and set the sub template.
else
{
loadTemplate('Errors');
$context['sub_template'] = 'fatal_error';
}

// If this is SSI, what do they want us to do?
if (SMF == 'SSI')
{
if (!empty($ssi_on_error_method) && $ssi_on_error_method !== true && is_callable($ssi_on_error_method))
$ssi_on_error_method();
elseif (empty($ssi_on_error_method) || $ssi_on_error_method !== true)
loadSubTemplate('fatal_error');

// No layers?
if (empty($ssi_on_error_method) || $ssi_on_error_method !== true)
exit;
}

// We want whatever for the header, and a footer. (footer includes sub template!)
obExit(nulltruefalsetrue);

/* DO NOT IGNORE:
If you are creating a bridge to SMF or modifying this function, you MUST
make ABSOLUTELY SURE that this function quits and DOES NOT RETURN TO NORMAL
PROGRAM FLOW.  Otherwise, security error messages will not be shown, and
your forum will be in a very easily hackable state.
*/
trigger_error('Hacking attempt...'E_USER_ERROR);
}

// Show an error message for the connection problems.
function show_db_error($loadavg false)
{
global $sourcedir$mbname$maintenance$mtitle$mmessage$modSettings;
global $db_connection$webmaster_email$db_last_error$db_error_send$smcFunc;

// Don't cache this page!
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: ' gmdate('D, d M Y H:i:s') . ' GMT');
header('Cache-Control: no-cache');

// Send the right error codes.
header('HTTP/1.1 503 Service Temporarily Unavailable');
header('Status: 503 Service Temporarily Unavailable');
header('Retry-After: 3600');

if ($loadavg == false)
{
// For our purposes, we're gonna want this on if at all possible.
$modSettings['cache_enable'] = '1';

if (($temp cache_get_data('db_last_error'600)) !== null)
$db_last_error max($db_last_error$temp);

if ($db_last_error time() - 3600 24 && empty($maintenance) && !empty($db_error_send))
{
require_once($sourcedir '/Subs-Admin.php');

// Avoid writing to the Settings.php file if at all possible; use shared memory instead.
cache_put_data('db_last_error'time(), 600);
if (($temp cache_get_data('db_last_error'600)) == null)
updateLastDatabaseError();

// Language files aren't loaded yet :(.
$db_error = @$smcFunc['db_error']($db_connection);
@mail($webmaster_email$mbname ': SMF Database Error!''There has been a problem with the database!' . ($db_error == '' '' "\n" $smcFunc['db_title'] . ' reported:' "\n" $db_error) . "\n\n" 'This is a notice email to let you know that SMF could not connect to the database, contact your host if this continues.');
}
}

if (!empty($maintenance))
echo '<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta name="robots" content="noindex" />
<title>'
$mtitle'</title>
</head>
<body>
<h3>'
$mtitle'</h3>
'
$mmessage'
</body>
</html>'
;
// If this is a load average problem, display an appropriate message (but we still don't have language files!)
elseif ($loadavg)
echo '<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta name="robots" content="noindex" />
<title>Temporarily Unavailable</title>
</head>
<body>
<h3>Temporarily Unavailable</h3>
Due to high stress on the server the forum is temporarily unavailable.  Please try again later.
</body>
</html>'
;
// What to do?  Language files haven't and can't be loaded yet...
else
echo '<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta name="robots" content="noindex" />
<title>Connection Problems</title>
</head>
<body>
<h3>Connection Problems</h3>
Sorry, SMF was unable to connect to the database.  This may be caused by the server being busy.  Please try again later.
</body>
</html>'
;

die;
}

?>

hollywood9111

eccolo
come immaginavo:
loadLanguage('Errors', $language);
$reload_lang_file = $language != $user_info['language'];
$error_message = empty($sprintf) ? $txt[$error] : vsprintf($txt[$error], $sprintf);
log_error($error_message, $log);
}


l'errore e nella lingua...
non la trova... controlla
$txt[$error] questa variabile nel file italiano

Vittorio

Scusa la mia ignoranza, puoi dirmi cosa devo fare con esattezza?

grazie

hollywood9111

entri qua
/Themes/default/languages
cerca in questi due file
Errors.english.php
Errors.italian.php

la variabile
$txt[$error] e vedi che ti dice me li copi qua

hollywood9111

ti ho detto perchè non è una variabile quella del file della lingua

Vittorio

errors.english.php:

<?php
// Version: 2.0; Errors

global $scripturl$modSettings;

$txt['no_access'] = 'You are not allowed to access this section';
$txt['wireless_error_notyet'] = 'Sorry, this section isn\'t available for wireless users at this time.';

$txt['mods_only'] = 'Only Moderators can use the direct remove function, please remove this message through the modify feature.';
$txt['no_name'] = 'You didn\'t fill the name field out.  It is required.';
$txt['no_email'] = 'You didn\'t fill the email field out.  It is required.';
$txt['topic_locked'] = 'This topic is locked, you are not allowed to post or modify messages...';
$txt['no_password'] = 'Password field empty';
$txt['already_a_user'] = 'The username you tried to use already exists.';
$txt['cant_move'] = 'You are not allowed to move topics...';
$txt['login_to_post'] = 'To post you must be logged in. If you don\'t have an account yet, please <a href="' $scripturl '?action=register">register</a>.';
$txt['passwords_dont_match'] = 'Passwords aren\'t the same.';
$txt['register_to_use'] = 'Sorry, you must register before using this feature.';
$txt['password_invalid_character'] = 'Invalid character used in password.';
$txt['name_invalid_character'] = 'Invalid character used in name.';
$txt['email_invalid_character'] = 'Invalid character used in email.';
$txt['username_reserved'] = 'The username you tried to use contains the reserved name \'%1$s\'. Please try another username.';
$txt['numbers_one_to_nine'] = 'This field only accepts numbers from 0-9';
$txt['not_a_user'] = 'The user whose profile you are trying to view does not exist.';
$txt['not_a_topic'] = 'This topic doesn\'t exist on this board.';
$txt['not_approved_topic'] = 'This topic has not been approved yet.';
$txt['email_in_use'] = 'That email address (%1$s) is being used by a registered member already. If you feel this is a mistake, go to the login page and use the password reminder with that address.';

$txt['didnt_select_vote'] = 'You didn\'t select a vote option.';
$txt['poll_error'] = 'Either that poll doesn\'t exist, the poll has been locked, or you tried to vote twice.';
$txt['members_only'] = 'This option is only available to registered members.';
$txt['locked_by_admin'] = 'This was locked by an administrator.  You cannot unlock it.';
$txt['not_enough_posts_karma'] = 'Sorry, you don\'t have enough posts to modify karma - you need at least %1$d.';
$txt['cant_change_own_karma'] = 'Sorry, you are not permitted to modify your own karma.';
$txt['karma_wait_time'] = 'Sorry, you can\'t repeat a karma action without waiting %1$s %2$s.';
$txt['feature_disabled'] = 'Sorry, this feature is disabled.';
$txt['cant_access_upload_path'] = 'Cannot access attachments upload path!';
$txt['file_too_big'] = 'Your file is too large. The maximum attachment size allowed is %1$d KB.';
$txt['attach_timeout'] = 'Your attachment couldn\'t be saved. This might happen because it took too long to upload or the file is bigger than the server will allow.<br /><br />Please consult your server administrator for more information.';
$txt['filename_exists'] = 'Sorry! There is already an attachment with the same filename as the one you tried to upload. Please rename the file and try again.';
$txt['bad_attachment'] = 'Your attachment has failed security checks and cannot be uploaded. Please consult the forum administrator.';
$txt['ran_out_of_space'] = 'The upload folder is full. Please try a smaller file and/or contact an administrator.';
$txt['couldnt_connect'] = 'Could not connect to server or could not find file';
$txt['no_board'] = 'The board you specified doesn\'t exist';
$txt['cant_split'] = 'You are not allowed to split topics';
$txt['cant_merge'] = 'You are not allowed to merge topics';
$txt['no_topic_id'] = 'You specified an invalid topic ID.';
$txt['split_first_post'] = 'You cannot split a topic at the first post.';
$txt['topic_one_post'] = 'This topic only contains one message and cannot be split.';
$txt['no_posts_selected'] = 'No messages selected';
$txt['selected_all_posts'] = 'Unable to split. You have selected every message.';
$txt['cant_find_messages'] = 'Unable to find messages';
$txt['cant_find_user_email'] = 'Unable to find user\'s email address.';
$txt['cant_insert_topic'] = 'Unable to insert topic';
$txt['already_a_mod'] = 'You have chosen a username of an already existing moderator. Please choose another username';
$txt['session_timeout'] = 'Your session timed out while posting.  Please go back and try again.';
$txt['session_verify_fail'] = 'Session verification failed.  Please try logging out and back in again, and then try again.';
$txt['verify_url_fail'] = 'Unable to verify referring url.  Please go back and try again.';
$txt['guest_vote_disabled'] = 'Guests cannot vote in this poll.';

$txt['cannot_access_mod_center'] = 'You do not have permission to access the moderation center.';
$txt['cannot_admin_forum'] = 'You are not allowed to administrate this forum.';
$txt['cannot_announce_topic'] = 'You are not allowed to announce topics on this board.';
$txt['cannot_approve_posts'] = 'You do not have permission to approve items.';
$txt['cannot_post_unapproved_attachments'] = 'You do not have permission to post unapproved attachments.';
$txt['cannot_post_unapproved_topics'] = 'You do not have permission to post unapproved topics.';
$txt['cannot_post_unapproved_replies_own'] = 'You do not have permission to post unapproved replies to your topics.';
$txt['cannot_post_unapproved_replies_any'] = 'You do not have permission to post unapproved replies to other users\' topics.';
$txt['cannot_calendar_edit_any'] = 'You cannot edit calendar events.';
$txt['cannot_calendar_edit_own'] = 'You don\'t have the privileges necessary to edit your own events.';
$txt['cannot_calendar_post'] = 'Event posting isn\'t allowed - sorry.';
$txt['cannot_calendar_view'] = 'Sorry, but you are not allowed to view the calendar.';
$txt['cannot_remove_any'] = 'Sorry, but you don\'t have the privilege to remove just any topic.  Check to make sure this topic wasn\'t just moved to another board.';
$txt['cannot_remove_own'] = 'You cannot delete your own topics in this board.  Check to make sure this topic wasn\'t just moved to another board.';
$txt['cannot_edit_news'] = 'You are not allowed to edit news items on this forum.';
$txt['cannot_pm_read'] = 'Sorry, you can\'t read your personal messages.';
$txt['cannot_pm_send'] = 'You are not allowed to send personal messages.';
$txt['cannot_karma_edit'] = 'You aren\'t permitted to modify other people\'s karma.';
$txt['cannot_lock_any'] = 'You are not allowed to lock just any topic here.';
$txt['cannot_lock_own'] = 'Apologies, but you cannot lock your own topics here.';
$txt['cannot_make_sticky'] = 'You don\'t have permission to sticky this topic.';
$txt['cannot_manage_attachments'] = 'You\'re not allowed to manage attachments or avatars.';
$txt['cannot_manage_bans'] = 'You\'re not allowed to change the list of bans.';
$txt['cannot_manage_boards'] = 'You are not allowed to manage boards and categories.';
$txt['cannot_manage_membergroups'] = 'You don\'t have permission to modify or assign membergroups.';
$txt['cannot_manage_permissions'] = 'You don\'t have permission to manage permissions.';
$txt['cannot_manage_smileys'] = 'You\'re not allowed to manage smileys and message icons.';
$txt['cannot_mark_any_notify'] = 'You don\'t have the permissions necessary to get notifications from this topic.';
$txt['cannot_mark_notify'] = 'Sorry, but you are not permitted to request notifications from this board.';
$txt['cannot_merge_any'] = 'You aren\'t allowed to merge topics on one of the selected board(s).';
$txt['cannot_moderate_forum'] = 'You are not allowed to moderate this forum.';
$txt['cannot_moderate_board'] = 'You are not allowed to moderate this board.';
$txt['cannot_modify_any'] = 'You aren\'t allowed to modify just any post.';
$txt['cannot_modify_own'] = 'Sorry, but you aren\'t allowed to edit your own posts.';
$txt['cannot_modify_replies'] = 'Even though this post is a reply to your topic, you cannot edit it.';
$txt['cannot_move_own'] = 'You are not allowed to move your own topics in this board.';
$txt['cannot_move_any'] = 'You are not allowed to move topics in this board.';
$txt['cannot_poll_add_own'] = 'Sorry, you aren\'t allowed to add polls to your own topics in this board.';
$txt['cannot_poll_add_any'] = 'You don\'t have the access to add polls to this topic.';
$txt['cannot_poll_edit_own'] = 'You cannot edit this poll, even though it is your own.';
$txt['cannot_poll_edit_any'] = 'You have been denied access to editing polls in this board.';
$txt['cannot_poll_lock_own'] = 'You are not allowed to lock your own polls in this board.';
$txt['cannot_poll_lock_any'] = 'Sorry, but you aren\'t allowed to lock just any poll.';
$txt['cannot_poll_post'] = 'You aren\'t allowed to post polls in the current board.';
$txt['cannot_poll_remove_own'] = 'You are not permitted to remove this poll from your topic.';
$txt['cannot_poll_remove_any'] = 'You cannot remove just any poll on this board.';
$txt['cannot_poll_view'] = 'You are not allowed to view polls in this board.';
$txt['cannot_poll_vote'] = 'Sorry, but you cannot vote in polls in this board.';
$txt['cannot_post_attachment'] = 'You don\'t have permission to post attachments here.';
$txt['cannot_post_new'] = 'Sorry, you cannot post new topics in this board.';
$txt['cannot_post_reply_any'] = 'You are not permitted to post replies to topics on this board.';
$txt['cannot_post_reply_own'] = 'You are not allowed to post replies even to your own topics in this board.';
$txt['cannot_profile_remove_own'] = 'Sorry, but you aren\'t allowed to delete your own account.';
$txt['cannot_profile_remove_any'] = 'You don\'t have the permissions to go about removing people\'s accounts!';
$txt['cannot_profile_extra_any'] = 'You are not permitted to modify profile settings.';
$txt['cannot_profile_identity_any'] = 'You aren\'t allowed to edit account settings.';
$txt['cannot_profile_title_any'] = 'You cannot edit people\'s custom titles.';
$txt['cannot_profile_extra_own'] = 'Sorry, but you don\'t have the necessary permissions to edit your profile data.';
$txt['cannot_profile_identity_own'] = 'You can\'t change your identity at the current moment.';
$txt['cannot_profile_title_own'] = 'You are not allowed to change your custom title.';
$txt['cannot_profile_server_avatar'] = 'You are not permitted to use a server stored avatar.';
$txt['cannot_profile_upload_avatar'] = 'You do not have permission to upload an avatar.';
$txt['cannot_profile_remote_avatar'] = 'You don\'t have the privilege of using a remote avatar.';
$txt['cannot_profile_view_own'] = 'Many apologies, but you can\'t view your own profile.';
$txt['cannot_profile_view_any'] = 'Many apologies, but you can\'t view just any profile.';
$txt['cannot_delete_own'] = 'You are not, on this board, allowed to delete your own posts.';
$txt['cannot_delete_replies'] = 'Sorry, but you cannot remove these posts, even though they are replies to your topic.';
$txt['cannot_delete_any'] = 'Deleting just any posts in this board is not allowed.';
$txt['cannot_report_any'] = 'You are not allowed to report posts in this board.';
$txt['cannot_search_posts'] = 'You are not allowed to search for posts in this forum.';
$txt['cannot_send_mail'] = 'You don\'t have the privilege of sending out emails to everyone.';
$txt['cannot_issue_warning'] = 'Sorry, you do not have permission to issue warnings to members.';
$txt['cannot_send_topic'] = 'Sorry, but the administrator has disallowed sending topics on this board.';
$txt['cannot_split_any'] = 'Splitting just any topic is not allowed in this board.';
$txt['cannot_view_attachments'] = 'It seems that you are not allowed to download or view attachments on this board.';
$txt['cannot_view_mlist'] = 'You can\'t view the memberlist because you don\'t have permission to.';
$txt['cannot_view_stats'] = 'You aren\'t allowed to view the forum statistics.';
$txt['cannot_who_view'] = 'Sorry - you don\'t have the proper permissions to view the Who\'s Online list.';

$txt['no_theme'] = 'That theme does not exist.';
$txt['theme_dir_wrong'] = 'The default theme\'s directory is wrong, please correct it by clicking this text.';
$txt['registration_disabled'] = 'Sorry, registration is currently disabled.';
$txt['registration_no_secret_question'] = 'Sorry, there is no secret question set for this member.';
$txt['poll_range_error'] = 'Sorry, the poll must run for more than 0 days.';
$txt['delFirstPost'] = 'You are not allowed to delete the first post in a topic.<p>If you want to delete this topic, click on the Remove Topic link, or ask a moderator/administrator to do it for you.</p>';
$txt['parent_error'] = 'Unable to create board!';
$txt['login_cookie_error'] = 'You were unable to login.  Please check your cookie settings.';
$txt['incorrect_answer'] = 'Sorry, but you did not answer your question correctly.  Please click back to try again, or click back twice to use the default method of obtaining your password.';
$txt['no_mods'] = 'No moderators found!';
$txt['parent_not_found'] = 'Board structure corrupt: unable to find parent board';
$txt['modify_post_time_passed'] = 'You may not modify this post as the time limit for edits has passed.';

$txt['calendar_off'] = 'You cannot access the calendar right now because it is disabled.';
$txt['invalid_month'] = 'Invalid month value.';
$txt['invalid_year'] = 'Invalid year value.';
$txt['invalid_day'] = 'Invalid day value.';
$txt['event_month_missing'] = 'Event month is missing.';
$txt['event_year_missing'] = 'Event year is missing.';
$txt['event_day_missing'] = 'Event day is missing.';
$txt['event_title_missing'] = 'Event title is missing.';
$txt['invalid_date'] = 'Invalid date.';
$txt['no_event_title'] = 'No event title was entered.';
$txt['missing_event_id'] = 'Missing event ID.';
$txt['cant_edit_event'] = 'You do not have permission to edit this event.';
$txt['missing_board_id'] = 'Board ID is missing.';
$txt['missing_topic_id'] = 'Topic ID is missing.';
$txt['topic_doesnt_exist'] = 'Topic doesn\'t exist.';
$txt['not_your_topic'] = 'You are not the owner of this topic.';
$txt['board_doesnt_exist'] = 'The board does not exist.';
$txt['no_span'] = 'The span feature is currently disabled.';
$txt['invalid_days_numb'] = 'Invalid number of days to span.';

$txt['moveto_noboards'] = 'There are no boards to move this topic to!';

$txt['already_activated'] = 'Your account has already been activated.';
$txt['still_awaiting_approval'] = 'Your account is still awaiting admin approval.';

$txt['invalid_email'] = 'Invalid email address / email address range.<br />Example of a valid email address: [email protected].<br />Example of a valid email address range: *@*.badsite.com';
$txt['invalid_expiration_date'] = 'Expiration date is not valid';
$txt['invalid_hostname'] = 'Invalid host name / host name range.<br />Example of a valid host name: proxy4.badhost.com<br />Example of a valid host name range: *.badhost.com';
$txt['invalid_ip'] = 'Invalid IP / IP range.<br />Example of a valid IP address: 127.0.0.1<br />Example of a valid IP range: 127.0.0-20.*';
$txt['invalid_tracking_ip'] = 'Invalid IP / IP range.<br />Example of a valid IP address: 127.0.0.1<br />Example of a valid IP range: 127.0.0.*';
$txt['invalid_username'] = 'Member name not found';
$txt['no_ban_admin'] = 'You may not ban an admin - You must demote them first!';
$txt['no_bantype_selected'] = 'No ban type was selected';
$txt['ban_not_found'] = 'Ban not found';
$txt['ban_unknown_restriction_type'] = 'Restriction type unknown';
$txt['ban_name_empty'] = 'The name of the ban was left empty';
$txt['ban_name_exists'] = 'The name of this ban (%1$s) already exists. Please choose a different name.';
$txt['ban_trigger_already_exists'] = 'This ban trigger (%1$s) already exists in %2$s.';

$txt['recycle_no_valid_board'] = 'No valid board selected for recycled topics';

$txt['login_threshold_fail'] = 'Sorry, you are out of login chances.  Please come back and try again later.';
$txt['login_threshold_brute_fail'] = 'Sorry, but you\'ve reached your login attempts threshold.  Please wait 30 seconds and try again later.';

$txt['who_off'] = 'You cannot access Who\'s Online right now because it is disabled.';

$txt['merge_create_topic_failed'] = 'Error creating a new topic.';
$txt['merge_need_more_topics'] = 'Merge topics require at least two topics to merge.';

$txt['postWaitTime_broken'] = 'The last posting from your IP was less than %1$d seconds ago. Please try again later.';
$txt['registerWaitTime_broken'] = 'You already registered just %1$d seconds ago!';
$txt['loginWaitTime_broken'] = 'You will have to wait about %1$d seconds to login again, sorry.';
$txt['pmWaitTime_broken'] = 'The last personal message from your IP was less than %1$d seconds ago. Please try again later.';
$txt['reporttmWaitTime_broken'] = 'The last topic report from your IP was less than %1$d seconds ago. Please try again later.';
$txt['sendtopcWaitTime_broken'] = 'The last topic sent from your IP was less than %1$d seconds ago. Please try again later.';
$txt['sendmailWaitTime_broken'] = 'The last email sent from your IP was less than %1$d seconds ago. Please try again later.';
$txt['searchWaitTime_broken'] = 'Your last search was less than %1$d seconds ago. Please try again later.';

$txt['email_missing_data'] = 'You must enter something in both the subject and message boxes.';

$txt['topic_gone'] = 'The topic or board you are looking for appears to be either missing or off limits to you.';
$txt['theme_edit_missing'] = 'The file you are trying to edit... can\'t even be found!';

$txt['attachments_no_write'] = 'The attachments upload directory is not writable.  Your attachment or avatar cannot be saved.';
$txt['attachments_limit_per_post'] = 'You may not upload more than %1$d attachments per post';

$txt['no_dump_database'] = 'Only administrators can make database backups!';
$txt['pm_not_yours'] = 'The personal message you\'re trying to quote is not your own or does not exist, please go back and try again.';
$txt['mangled_post'] = 'Mangled form data - please go back and try again.';
$txt['quoted_post_deleted'] = 'The post you are trying to quote either does not exist, was deleted, or is no longer viewable by you.';
$txt['pm_too_many_per_hour'] = 'You have exceeded the limit of %1$d personal messages per hour.';
$txt['labels_too_many'] = 'Sorry, %1$s messages already had the maximum amount of labels allowed!';

$txt['register_only_once'] = 'Sorry, but you\'re not allowed to register multiple accounts at the same time from the same computer.';
$txt['admin_setting_coppa_require_contact'] = 'You must enter either a postal or fax contact if parent/guardian approval is required.';

$txt['error_long_name'] = 'The name you tried to use was too long.';
$txt['error_no_name'] = 'No name was provided.';
$txt['error_bad_name'] = 'The name you submitted cannot be used, because it is or contains a reserved name.';
$txt['error_no_email'] = 'No email address was provided.';
$txt['error_bad_email'] = 'An invalid email address was given.';
$txt['error_no_event'] = 'No event name has been given.';
$txt['error_no_subject'] = 'No subject was filled in.';
$txt['error_no_question'] = 'No question was filled in for this poll.';
$txt['error_no_message'] = 'The message body was left empty.';
$txt['error_long_message'] = 'The message exceeds the maximum allowed length (%1$d characters).';
$txt['error_no_comment'] = 'The comment field was left empty.';
$txt['error_session_timeout'] = 'Your session timed out while posting. Please try to re-submit your message.';
$txt['error_no_to'] = 'No recipients specified.';
$txt['error_bad_to'] = 'One or more \'to\'-recipients could not be found.';
$txt['error_bad_bcc'] = 'One or more \'bcc\'-recipients could not be found.';
$txt['error_form_already_submitted'] = 'You already submitted this post!  You might have accidentally double clicked or tried to refresh the page.';
$txt['error_poll_few'] = 'You must have at least two choices!';
$txt['error_need_qr_verification'] = 'Please complete the verification section below to complete your post.';
$txt['error_wrong_verification_code'] = 'The letters you typed don\'t match the letters that were shown in the picture.';
$txt['error_wrong_verification_answer'] = 'You did not answer the verification questions correctly.';
$txt['error_need_verification_code'] = 'Please enter the verification code below to continue to the results.';
$txt['error_bad_file'] = 'Sorry but the file specified could not be opened: %1$s';
$txt['error_bad_line'] = 'The line you specified is invalid.';

$txt['smiley_not_found'] = 'Smiley not found.';
$txt['smiley_has_no_code'] = 'No code for this smiley was given.';
$txt['smiley_has_no_filename'] = 'No filename for this smiley was given.';
$txt['smiley_not_unique'] = 'A smiley with that code already exists.';
$txt['smiley_set_already_exists'] = 'A smiley set with that URL already exists';
$txt['smiley_set_not_found'] = 'Smiley set not found';
$txt['smiley_set_path_already_used'] = 'The URL of the smiley set is already being used by another smiley set.';
$txt['smiley_set_unable_to_import'] = 'Unable to import smiley set. Either the directory is invalid or cannot be accessed.';

$txt['smileys_upload_error'] = 'Failed to upload file.';
$txt['smileys_upload_error_blank'] = 'All smiley sets must have an image!';
$txt['smileys_upload_error_name'] = 'All smileys must have the same filename!';
$txt['smileys_upload_error_illegal'] = 'Illegal Type.';

$txt['search_invalid_weights'] = 'Search weights are not properly configured. At least one weight should be configure to be non-zero. Please report this error to an administrator.';
$txt['unable_to_create_temporary'] = 'The search function was unable to create temporary tables.  Please try again.';

$txt['package_no_file'] = 'Unable to find package file!';
$txt['packageget_unable'] = 'Unable to connect to the server.  Please try using <a href="%1$s" target="_blank" class="new_win">this URL</a> instead.';
$txt['not_on_simplemachines'] = 'Sorry, packages can only be downloaded like this from the simplemachines.org server.';
$txt['package_cant_uninstall'] = 'This package was either never installed or was already uninstalled - you can\'t uninstall it now.';
$txt['package_cant_download'] = 'You cannot download or install new packages because the Packages directory or one of the files in it are not writable!';
$txt['package_upload_error_nofile'] = 'You did not select a package to upload.';
$txt['package_upload_error_failed'] = 'Could not upload package, please check directory permissions!';
$txt['package_upload_error_exists'] = 'The file you are uploading already exists on the server. Please delete it first then try again.';
$txt['package_upload_error_supports'] = 'The package manager currently allows only these file types: %1$s.';
$txt['package_upload_error_broken'] = 'Package upload failed due to the following error:<br />&quot;%1$s&quot;';

$txt['package_get_error_not_found'] = 'The package you are trying to install cannot be located. You may want to manually upload the package to your Packages directory.';
$txt['package_get_error_missing_xml'] = 'The package you are attempting to install is missing the package-info.xml that must be in the root package directory.';
$txt['package_get_error_is_zero'] = 'Although the package was downloaded to the server it appears to be empty. Please check the Packages directory, and the &quot;temp&quot; sub-directory are both writable. If you continue to experience this problem you should try extracting the package on your PC and uploading the extracted files into a subdirectory in your Packages directory and try again. For example, if the package was called shout.tar.gz you should:<br />1) Download the package to your local PC and extract it into files.<br />2) Using an FTP client create a new directory in your &quot;Packages&quot; folder, in this example you may call it "shout".<br />3) Upload all the files from the extracted package to this directory.<br />4) Go back to the package manager browse page and the package will be automatically found by SMF.';
$txt['package_get_error_packageinfo_corrupt'] = 'SMF was unable to find any valid information within the package-info.xml file included within the Package. There may be an error with the modification, or the package may be corrupt.';

$txt['no_membergroup_selected'] = 'No membergroup selected';
$txt['membergroup_does_not_exist'] = 'The membergroup doesn\'t exist or is invalid.';

$txt['at_least_one_admin'] = 'There must be at least one administrator on a forum!';

$txt['error_functionality_not_windows'] = 'Sorry, this functionality is currently not available for servers running Windows.';

// Don't use entities in the below string.
$txt['attachment_not_found'] = 'Attachment Not Found';

$txt['error_no_boards_selected'] = 'No valid boards were selected!';
$txt['error_invalid_search_string'] = 'Did you forget to put something to search for?';
$txt['error_invalid_search_string_blacklist'] = 'Your search query contained too trivial words. Please try again with a different query.';
$txt['error_search_string_small_words'] = 'Each word must be at least two characters long.';
$txt['error_query_not_specific_enough'] = 'Your search query didn\'t return any matches.';
$txt['error_no_messages_in_time_frame'] = 'No messages found in selected time frame.';
$txt['error_no_labels_selected'] = 'No labels were selected!';
$txt['error_no_search_daemon'] = 'Unable to access the search daemon';

$txt['profile_errors_occurred'] = 'The following errors occurred when trying to save your profile';
$txt['profile_error_bad_offset'] = 'The time offset is out of range';
$txt['profile_error_no_name'] = 'The name field was left blank';
$txt['profile_error_name_taken'] = 'The selected username/display name has already been taken';
$txt['profile_error_name_too_long'] = 'The selected name is too long. It should be no greater than 60 characters long';
$txt['profile_error_no_email'] = 'The email field was left blank';
$txt['profile_error_bad_email'] = 'You have not entered a valid email address';
$txt['profile_error_email_taken'] = 'Another user is already registered with that email address';
$txt['profile_error_no_password'] = 'You did not enter your password';
$txt['profile_error_bad_new_password'] = 'The new passwords you entered do not match';
$txt['profile_error_bad_password'] = 'The password you entered was not correct';
$txt['profile_error_bad_avatar'] = 'The avatar you have selected is either too large or not an avatar';
$txt['profile_error_password_short'] = 'Your password must be at least ' . (empty($modSettings['password_strength']) ? 8) . ' characters long.';
$txt['profile_error_password_restricted_words'] = 'Your password must not contain your username, email address or other commonly used words.';
$txt['profile_error_password_chars'] = 'Your password must contain a mix of upper and lower case letters, as well as digits.';
$txt['profile_error_already_requested_group'] = 'You already have an outstanding request for this group!';
$txt['profile_error_openid_in_use'] = 'Another user is already using that OpenID authentication URL';

$txt['mysql_error_space'] = ' - check database storage space or contact the server administrator.';

$txt['icon_not_found'] = 'The icon image could not be found in the default theme - please ensure the image has been uploaded and try again.';
$txt['icon_after_itself'] = 'The icon cannot be positioned after itself!';
$txt['icon_name_too_long'] = 'Icon filenames cannot be more than 16 characters long';

$txt['name_censored'] = 'Sorry, the name you tried to use, %1$s, contains words which have been censored.  Please try another name.';

$txt['poll_already_exists'] = 'A topic can only have one poll associated with it!';
$txt['poll_not_found'] = 'There is no poll associated with this topic!';

$txt['error_while_adding_poll'] = 'The following error or errors occurred while adding this poll';
$txt['error_while_editing_poll'] = 'The following error or errors occurred while editing this poll';

$txt['loadavg_search_disabled'] = 'Due to high stress on the server, the search function has been automatically and temporarily disabled.  Please try again in a short while.';
$txt['loadavg_generic_disabled'] = 'Sorry, because of high stress on the server, this feature is currently unavailable.';
$txt['loadavg_allunread_disabled'] = 'The server\'s resources are temporarily under too high a demand to find all the topics you have not read.';
$txt['loadavg_unreadreplies_disabled'] = 'The server is currently under high stress.  Please try again shortly.';
$txt['loadavg_show_posts_disabled'] = 'Please try again later.  This member\'s posts are not currently available due to high load on the server.';
$txt['loadavg_unread_disabled'] = 'The server\'s resources are temporarily under too high a demand to list out the topics you have not read.';

$txt['cannot_edit_permissions_inherited'] = 'You cannot edit inherited permissions directly, you must either edit the parent group or edit the membergroup inheritance.';

$txt['mc_no_modreport_specified'] = 'You need to specify which report you wish to view.';
$txt['mc_no_modreport_found'] = 'The specified report either doesn\'t exist or is off limits to you';

$txt['st_cannot_retrieve_file'] = 'Could not retrieve the file %1$s.';
$txt['admin_file_not_found'] = 'Could not load the requested file: %1$s.';

$txt['themes_none_selectable'] = 'At least one theme must be selectable.';
$txt['themes_default_selectable'] = 'The overall forum default theme must be a selectable theme.';
$txt['ignoreboards_disallowed'] = 'The option to ignore boards has not been enabled.';

$txt['mboards_delete_error'] = 'No category selected!';
$txt['mboards_delete_board_error'] = 'No board selected!';

$txt['mboards_parent_own_child_error'] = 'Unable to make a parent its own child!';
$txt['mboards_board_own_child_error'] = 'Unable to make a board its own child!';

$txt['smileys_upload_error_notwritable'] = 'The following smiley directories are not writable: %1$s';
$txt['smileys_upload_error_types'] = 'Smiley images can only have the following extensions: %1$s.';

$txt['change_email_success'] = 'Your email address has been changed, and a new activation email has been sent to it.';
$txt['resend_email_success'] = 'A new activation email has successfully been sent.';

$txt['custom_option_need_name'] = 'The profile option must have a name!';
$txt['custom_option_not_unique'] = 'Field name is not unique!';

$txt['warning_no_reason'] = 'You must enter a reason for altering the warning state of a member';
$txt['warning_notify_blank'] = 'You selected to notify the user but did not fill in the subject/message fields';

$txt['cannot_connect_doc_site'] = 'Could not connect to the Simple Machines Online Manual. Please check that your server configuration allows external internet connections and try again later.';

$txt['movetopic_no_reason'] = 'You must enter a reason for moving the topic, or uncheck the option to \'post a redirection topic\'.';

// OpenID error strings
$txt['openid_server_bad_response'] = 'The requested identifier did not return the proper information.';
$txt['openid_return_no_mode'] = 'The identity provider did not respond with the OpenID mode.';
$txt['openid_not_resolved'] = 'The identity provider did not approve your request.';
$txt['openid_no_assoc'] = 'Could not find the requested association with the identity provider.';
$txt['openid_sig_invalid'] = 'The signature from the identity provider is invalid.';
$txt['openid_load_data'] = 'Could not load the data from your login request.  Please try again.';
$txt['openid_not_verified'] = 'The OpenID address given has not been verified yet.  Please log in to verify.';

$txt['error_custom_field_too_long'] = 'The &quot;%1$s&quot; field cannot be greater than %2$d characters in length.';
$txt['error_custom_field_invalid_email'] = 'The &quot;%1$s&quot; field must be a valid email address.';
$txt['error_custom_field_not_number'] = 'The &quot;%1$s&quot; field must be numeric.';
$txt['error_custom_field_inproper_format'] = 'The &quot;%1$s&quot; field is an invalid format.';
$txt['error_custom_field_empty'] = 'The &quot;%1$s&quot; field cannot be left blank.';

$txt['email_no_template'] = 'The email template &quot;%1$s&quot; could not be found.';

$txt['search_api_missing'] = 'The search API could not be found! Please contact the admin to check they have uploaded the correct files.';
$txt['search_api_not_compatible'] = 'The selected search API the forum is using is out of date - falling back to standard search. Please check file %1$s.';

// Restore topic/posts
$txt['cannot_restore_first_post'] = 'You cannot restore the first post in a topic.';
$txt['parent_topic_missing'] = 'The parent topic of the post you are trying to restore has been deleted.';
$txt['restored_disabled'] = 'The restoration of topics has been disabled.';
$txt['restore_not_found'] = 'The following messages could not be restored; the original topic may have been removed:<ul style="margin-top: 0px;">%1$s</ul>You will need to move these manually.';

$txt['error_invalid_dir'] = 'The directory you entered is invalid.';

$txt['error_sqlite_optimizing'] = 'Sqlite is optimizing the database, the forum can not be accessed until it has finished.  Please try refreshing this page momentarily.';
?>

Vittorio

<?php
// Version: 2.0; Errors

global $scripturl$modSettings;

$txt['no_access'] = 'Non sei autorizzato ad accedere a questa sezione';
$txt['wireless_error_notyet'] = 'Al momento questa sezione non è disponibile per gli utenti connessi alla versione mobile.';

$txt['mods_only'] = 'Solo i moderatori possono usare la funzione di cancellazione diretta: rimuovi questo post utilizzando la funzionalità di modifica.';
$txt['no_name'] = 'Non è stato compilato il campo del nome (obbligatorio).';
$txt['no_email'] = 'Non è stato compilato il campo e-mail (obbligatorio).';
$txt['topic_locked'] = 'Questo topic è chiuso, non hai permessi adeguati per aggiungere o modificare alcun post...';
$txt['no_password'] = 'Non è stato compilato il campo password (obbligatorio)';
$txt['already_a_user'] = 'Il nome utente indicato è già esistente.';
$txt['cant_move'] = 'Non sei autorizzato a spostare i topic...';
$txt['login_to_post'] = 'Per inserire un post è necessario effettuare l\'accesso. Se non possiedi ancora un account puoi <a href="' $scripturl '?action=register">registrarti</a>.';
$txt['passwords_dont_match'] = 'Le password inserite non coincidono.';
$txt['register_to_use'] = 'Spiacente, è necessario essere registrati per utilizzare questa funzione.';
$txt['password_invalid_character'] = 'Hai stato utilizzato un carattere non valido nella password.';
$txt['name_invalid_character'] = 'Hai stato utilizzato un carattere non valido nel nome.';
$txt['email_invalid_character'] = 'Hai stato utilizzato un carattere non valido nell\'e-mail.';
$txt['username_reserved'] = 'Il nome utente inserito contiene il nome riservato \'%1$s\'. Prova con un altro nome.';
$txt['numbers_one_to_nine'] = 'Questo campo accetta solo numeri da 0 a 9';
$txt['not_a_user'] = 'L\'utente di cui stai cercando di visualizzare il profilo, non è più registrato.';
$txt['not_a_topic'] = 'Questo topic non esiste in questa sezione.';
$txt['not_approved_topic'] = 'Questo topic non è stato ancora approvato.';
$txt['email_in_use'] = 'L\'indirizzo e-mail (%1$s) è già utilizzato da un altro utente. Se ritieni sia un errore, vai alla pagina di login e utilizza il promemoria della password per questo indirizzo.';

$txt['didnt_select_vote'] = 'Non hai scelto alcuna opzione di voto.';
$txt['poll_error'] = 'Il sondaggio è inesistente, è stato chiuso o stai tentando di votare una seconda volta.';
$txt['members_only'] = 'Questa opzione è disponibile solamente per gli utenti registrati.';
$txt['locked_by_admin'] = 'Chiuso da un amministratore. Non è possibile riaprirlo.';
$txt['not_enough_posts_karma'] = 'Non hai abbastanza post per poter modificare il karma. Sono necessari almeno %1$d post.';
$txt['cant_change_own_karma'] = 'Non puoi modificare il tuo karma.';
$txt['karma_wait_time'] = 'Non puoi modificare il karma di questo utente senza prima aver atteso %1$s %2$s.';
$txt['feature_disabled'] = 'Spiacente, questa funzione non è attiva.';
$txt['cant_access_upload_path'] = 'Impossibile accedere al percorso di caricamento degli allegati!';
$txt['file_too_big'] = 'Il file è troppo grande. La dimensione massima concessa per un allegato è di %1$d KB.';
$txt['attach_timeout'] = 'L\'allegato non può essere salvato. La causa è da ricercare nel tempo di caricamento troppo lungo o nella dimensione del file, superiore a quella ammessa dal server.<br /><br />Consultare l\'amministratore del server per ulteriori informazioni.';
$txt['filename_exists'] = 'È già presente un allegato con lo stesso nome di quello che stai provando a caricare. Rinomina il file e prova a caricarlo nuovamente.';
$txt['bad_attachment'] = 'Il tuo allegato non ha superato i controlli di sicurezza e non può essere caricato. Consulta l\'amministratore del forum.';
$txt['ran_out_of_space'] = 'La cartella dedicata ai file caricati è piena. Prova con un file di dimensioni inferiori e/o contatta un amministratore.';
$txt['couldnt_connect'] = 'Impossibile collegarsi al server o trovare il file';
$txt['no_board'] = 'La sezione specificata non esiste';
$txt['cant_split'] = 'Non hai il permesso di dividere i topic';
$txt['cant_merge'] = 'Non hai il permesso di unire i topic';
$txt['no_topic_id'] = 'Hai specificato un ID di topic non valido.';
$txt['split_first_post'] = 'Non è possibile dividere un topic al primo post.';
$txt['topic_one_post'] = 'Questo topic contiene solamente un post e non può essere diviso.';
$txt['no_posts_selected'] = 'nessun post selezionato';
$txt['selected_all_posts'] = 'Impossibile dividere. Hai selezionato tutti i post presenti.';
$txt['cant_find_messages'] = 'Impossibile trovare dei post';
$txt['cant_find_user_email'] = 'Impossibile trovare l\'indirizzo e-mail dell\'utente';
$txt['cant_insert_topic'] = 'Impossibile inserire un topic';
$txt['already_a_mod'] = 'Hai scelto il nome utente di un moderatore già esistente. Prova con un altro nome.';
$txt['session_timeout'] = 'Durante l\'inserimento la sessione è scaduta. Torna indietro e riprova.';
$txt['session_verify_fail'] = 'Sessione di verifica fallita. Prova a scollegarti, tornare indietro e tentare di nuovo.';
$txt['verify_url_fail'] = 'Impossibile verificare l\'indirizzo referrer. Torna indietro e riprova.';
$txt['guest_vote_disabled'] = 'Gli ospiti non possono votare in questo sondaggio.';

$txt['cannot_access_mod_center'] = 'Non sei autorizzato ad accedere al centro di moderazione.';
$txt['cannot_admin_forum'] = 'Non sei autorizzato ad amministrare questo forum.';
$txt['cannot_announce_topic'] = 'Non hai permessi adeguati per annunciare topic in questa sezione.';
$txt['cannot_approve_posts'] = 'Non hai permessi adeguati per approvare questi elementi.';
$txt['cannot_post_unapproved_attachments'] = 'Non hai permessi adeguati per inviare post con allegati non approvati.';
$txt['cannot_post_unapproved_topics'] = 'Non hai permessi adeguati per inserire topic non approvati.';
$txt['cannot_post_unapproved_replies_own'] = 'Non hai permessi adeguati per inviare post non approvati nei tuoi topic.';
$txt['cannot_post_unapproved_replies_any'] = 'Non hai permessi adeguati per inviare post non approvati nei topic altrui.';
$txt['cannot_calendar_edit_any'] = 'Non hai permessi adeguati per modificare gli eventi nel calendario.';
$txt['cannot_calendar_edit_own'] = 'Non hai permessi adeguati per modificare i propri eventi.';
$txt['cannot_calendar_post'] = 'Non hai permessi adeguati per inserire eventi nel calendario.';
$txt['cannot_calendar_view'] = 'Non hai permessi adeguati per visualizzare il calendario.';
$txt['cannot_remove_any'] = 'Non hai permessi adeguati per rimuovere alcun topic.';
$txt['cannot_remove_own'] = 'Non hai permessi adeguati per eliminare i propri topic da questa sezione.';
$txt['cannot_edit_news'] = 'Non hai permessi adeguati per modificare le news in questo forum.';
$txt['cannot_pm_read'] = 'Non hai permessi adeguati per leggere i propri messaggi privati.';
$txt['cannot_pm_send'] = 'Non hai permessi adeguati per inviare messaggi privati.';
$txt['cannot_karma_edit'] = 'Non hai permessi adeguati per modificare il karma degli altri utenti.';
$txt['cannot_lock_any'] = 'Non hai permessi adeguati per chiudere alcun topic qui.';
$txt['cannot_lock_own'] = 'Non hai permessi adeguati per chiudere i propri topic.';
$txt['cannot_make_sticky'] = 'Non hai permessi adeguati per marcare quest topic come importante.';
$txt['cannot_manage_attachments'] = 'Non hai permessi adeguati per gestire gli allegati o gli avatar.';
$txt['cannot_manage_bans'] = 'Non hai permessi adeguati per modificare l\'elenco delle esclusioni.';
$txt['cannot_manage_boards'] = 'Non hai permessi adeguati per gestire sezioni e categorie.';
$txt['cannot_manage_membergroups'] = 'Non hai permessi adeguati per modificare o assegnare i gruppi.';
$txt['cannot_manage_permissions'] = 'Non hai permessi adeguati per gestire i permessi.';
$txt['cannot_manage_smileys'] = 'Non hai permessi adeguati per gestire le smiley e le icone messaggio.';
$txt['cannot_mark_any_notify'] = 'Non hai permessi adeguati per ricevere le notifiche da questo topic.';
$txt['cannot_mark_notify'] = 'Non hai permessi adeguati per ricevere le notifiche da questa sezione.';
$txt['cannot_merge_any'] = 'Non hai permessi adeguati per unire i topic in una delle sezioni selezionate.';
$txt['cannot_moderate_forum'] = 'Non hai permessi adeguati per moderare questo forum.';
$txt['cannot_moderate_board'] = 'Non sei abilitato a moderare questa board.';
$txt['cannot_modify_any'] = 'Non hai permessi adeguati per modificare alcun post.';
$txt['cannot_modify_own'] = 'Non hai permessi adeguati per modificare i propri post.';
$txt['cannot_modify_replies'] = 'Nonostante questo post sia in risposta ad un topic aperto da te, non hai permessi adeguati per modificarlo.';
$txt['cannot_move_own'] = 'Non hai permessi adeguati per spostare i propri topic in questa sezione.';
$txt['cannot_move_any'] = 'Non hai permessi adeguati per spostare i topic in questa sezione.';
$txt['cannot_poll_add_own'] = 'Non hai permessi adeguati per aggiungere sondaggi ai propri topic in questa sezione.';
$txt['cannot_poll_add_any'] = 'Non hai permessi adeguati per aggiungere sondaggi a questo topic.';
$txt['cannot_poll_edit_own'] = 'Non hai permessi adeguati per modificare questo sondaggio, nonostante sia il tuo.';
$txt['cannot_poll_edit_any'] = 'Si è stati esclusi dal modificare i sondaggi in questa sezione.';
$txt['cannot_poll_lock_own'] = 'Non hai permessi adeguati per chiudere i tuoi sondaggi in questa sezione.';
$txt['cannot_poll_lock_any'] = 'Non hai permessi adeguati per chiudere alcun sondaggio.';
$txt['cannot_poll_post'] = 'Non hai permessi adeguati per inserire sondaggi nella sezione corrente.';
$txt['cannot_poll_remove_own'] = 'Non hai permessi adeguati per eliminare questo sondaggio dal topic aperto da te.';
$txt['cannot_poll_remove_any'] = 'Non hai permessi adeguati per rimuovere alcun sondaggio in questa sezione.';
$txt['cannot_poll_view'] = 'Non hai permessi adeguati per visualizzare i sondaggi in questa sezione.';
$txt['cannot_poll_vote'] = 'Non hai permessi adeguati per partecipare alle votazione dei sondaggi in questa sezione.';
$txt['cannot_post_attachment'] = 'Non hai permessi adeguati per inserire allegati in questa sezione.';
$txt['cannot_post_new'] = 'Non hai permessi adeguati per inserire nuovi topic in questa sezione.';
$txt['cannot_post_reply_any'] = 'Non hai permessi adeguati per rispondere ai topic in questa sezione.';
$txt['cannot_post_reply_own'] = 'Non hai permessi adeguati per rispondere ai topic, nemmeno ai propri, in questa sezione.';
$txt['cannot_profile_remove_own'] = 'Non hai permessi adeguati per eliminare il tuo account.';
$txt['cannot_profile_remove_any'] = 'Non hai permessi adeguati per rimuovere gli account degli utenti!';
$txt['cannot_profile_extra_any'] = 'Non hai permessi adeguati per modificare le impostazioni del profilo.';
$txt['cannot_profile_identity_any'] = 'Non hai permessi adeguati per modificare le impostazioni dell\'account.';
$txt['cannot_profile_title_any'] = 'Non hai permessi adeguati per modificare i titoli personalizzati degli utenti.';
$txt['cannot_profile_extra_own'] = 'Non hai permessi adeguati per modificare i dati del tuo profilo.';
$txt['cannot_profile_identity_own'] = 'Non hai permessi adeguati per modificare la tua identità.';
$txt['cannot_profile_title_own'] = 'Non hai permessi adeguati per modificare il tuo titolo personalizzato.';
$txt['cannot_profile_server_avatar'] = 'Non hai permessi adeguati per utilizzare un avatar memorizzato sul server.';
$txt['cannot_profile_upload_avatar'] = 'Non hai permessi adeguati per caricare un avatar.';
$txt['cannot_profile_remote_avatar'] = 'Non hai permessi adeguati per utilizzare un avatar remoto.';
$txt['cannot_profile_view_own'] = 'Non hai permessi adeguati per visualizzare il tuo profilo.';
$txt['cannot_profile_view_any'] = 'Non hai permessi adeguati per visualizzare alcun profilo.';
$txt['cannot_delete_own'] = 'Non hai permessi adeguati per eliminare i propri post in questa sezione.';
$txt['cannot_delete_replies'] = 'Non hai permessi adeguati per rimuovere questi post, anche se sono in risposta ad un topic aperto da te.';
$txt['cannot_delete_any'] = 'Non hai permessi adeguati per eliminare alcun post in questa sezione.';
$txt['cannot_report_any'] = 'Non hai permessi adeguati per segnalare post in questa sezione.';
$txt['cannot_search_posts'] = 'Non hai permessi adeguati per cercare nei post di questo forum.';
$txt['cannot_send_mail'] = 'Non hai permessi adeguati per inviare e-mail agli utenti.';
$txt['cannot_issue_warning'] = 'Non hai permessi adeguati per inviare richiami agli utenti.';
$txt['cannot_send_topic'] = 'Non hai permessi adeguati per inserire topic in questa sezione.';
$txt['cannot_split_any'] = 'Non hai permessi adeguati per dividere alcun topic in questa sezione.';
$txt['cannot_view_attachments'] = 'Non hai permessi adeguati per scaricare o visualizzare gli allegati in questa sezione.';
$txt['cannot_view_mlist'] = 'Non hai permessi adeguati per visualizzare l\'elenco degli utenti.';
$txt['cannot_view_stats'] = 'Non hai permessi adeguati per visualizzare le statistiche del forum.';
$txt['cannot_who_view'] = 'Non hai permessi adeguati per visualizzare l\'elenco di chi è online.';

$txt['no_theme'] = 'Questo tema non esiste.';
$txt['theme_dir_wrong'] = 'La cartella predefinita per i temi non è corretta, fare clic su questo testo per sistemarla.';
$txt['registration_disabled'] = 'Spiacente, ma la registrazione è attualmente disattivata.';
$txt['registration_no_secret_question'] = 'Spiacente, ma non ci sono domande segrete impostate per questo utente.';
$txt['poll_range_error'] = 'Spiacente, ma il sondaggio deve durare più di 0 giorni.';
$txt['delFirstPost'] = 'Non si ha il permesso di eliminare il primo post di un topic<p>Se si desidera eliminare questo topic, fare clic sul link Rimuovi topic o chiedere assistenza ad un moderatore o ad un amministratore.</p>';
$txt['parent_error'] = 'Impossibile creare la sezione!';
$txt['login_cookie_error'] = 'Non è possibile effettuare l\'accesso.  Controllare le impostazioni dei cookie.';
$txt['incorrect_answer'] = 'Spiacente, ma non si è data la risposta corretta alla domanda. Fare clic su Indietro per riprovare, o tornare indietro due volte per utilizzare il metodo standard per riavere la password.';
$txt['no_mods'] = 'Nessun moderatore trovato!';
$txt['parent_not_found'] = 'Struttura della sezione corrotta: impossibile trovare la sezione di appartenenza';
$txt['modify_post_time_passed'] = 'Non si può modificare questo topic poiché il limite di tempo per le modifiche è scaduto.';

$txt['calendar_off'] = 'Non è possibile accedere al calendario in quanto al momento non attivo.';
$txt['invalid_month'] = 'Valore del mese non valido.';
$txt['invalid_year'] = 'Valore dell\'anno non valido.';
$txt['invalid_day'] = 'Giorno non valido.';
$txt['event_month_missing'] = 'Manca il mese dell\'evento.';
$txt['event_year_missing'] = 'Manca l\'anno dell\'evento.';
$txt['event_day_missing'] = 'Manca il giorno dell\'evento.';
$txt['event_title_missing'] = 'Manca un titolo dell\'evento.';
$txt['invalid_date'] = 'Data non valida.';
$txt['no_event_title'] = 'Non è stato inserito il titolo dell\'evento.';
$txt['missing_event_id'] = 'Manca l\'ID dell\'evento.';
$txt['cant_edit_event'] = 'Non si ha il permesso di modificare questo evento.';
$txt['missing_board_id'] = 'Manca l\'ID della sezione.';
$txt['missing_topic_id'] = 'Manca l\'ID del topic.';
$txt['topic_doesnt_exist'] = 'Il topic non esiste.';
$txt['not_your_topic'] = 'Non hai la "paternità" di questo topic.';
$txt['board_doesnt_exist'] = 'La sezione non esiste.';
$txt['no_span'] = 'La funzionalità intervallo è al momento disattivata.';
$txt['invalid_days_numb'] = 'Numero di giorni non valido per un intervallo.';

$txt['moveto_noboards'] = 'Non esistono sezioni dove spostare questo topic!';

$txt['already_activated'] = 'L\'account è già stato attivato.';
$txt['still_awaiting_approval'] = 'L\'account è ancora in attesa di approvazione da parte di un amministratore.';

$txt['invalid_email'] = 'Indirizzo e-mail o insieme di indirizzi e-mail non validi.<br />Esempio di indirizzo e-mail valido: [email protected].<br />Esempio di insieme di indirizzi e-mail: *@*.badsite.com';
$txt['invalid_expiration_date'] = 'La data di scadenza non è valida';
$txt['invalid_hostname'] = 'Nome host non valido.<br />Esempio di nome host valido: proxy4.badhost.com<br />Esempio di insieme di host: *.badhost.com';
$txt['invalid_ip'] = 'Indirizzo IP o insieme di indirizzi IP non validi.<br />Esempio di indirizzo IP valido: 127.0.0.1<br />Esempio di insieme di indirizzi IP: 127.0.0-20.*';
$txt['invalid_tracking_ip'] = 'IP non valido / Gamma di IP.<br />Esempio di indirizzo IP valido: 127.0.0.1<br />
Esempio di gamma di indirizzi IP valida: 127.0.0.*'
;
$txt['invalid_username'] = 'Nome utente non trovato';
$txt['no_ban_admin'] = 'Non è possibile bloccare un amministratore. Bisogna prima degradarlo!';
$txt['no_bantype_selected'] = 'Non è stato selezionato alcun tipo di blocco';
$txt['ban_not_found'] = 'Blocco non trovato';
$txt['ban_unknown_restriction_type'] = 'Tipo di restrizione sconosciuto';
$txt['ban_name_empty'] = 'Non è stato inserito un nome per questa esclusione';
$txt['ban_name_exists'] = 'Il nome di questo ban (%1$s) è già esistente. Per favore, inserisci un altro nome.';
$txt['ban_trigger_already_exists'] = 'Il filtro di questo ban (%1$s) è già esistente in %2$s.';

$txt['recycle_no_valid_board'] = 'Non è stata selezionata una sezione valida per i topic cestinati';

$txt['login_threshold_fail'] = 'Spiacente, sono stati esauriti i tentativi di accesso a disposizione. Riprovare in un secondo momento.';
$txt['login_threshold_brute_fail'] = 'Spiacente, hai superato il numero massimo di tentativi per il login. Attendi per 30 secondi e riprova.';

$txt['who_off'] = 'Non è possibile accedere all\'elenco degli utenti online poiché non è attivo.';

$txt['merge_create_topic_failed'] = 'Errore nella creazione di un nuovo topic.';
$txt['merge_need_more_topics'] = 'Per unire dei topic è necessario indicarne almeno due.';

$txt['postWaitTime_broken'] = 'L\'ultimo post dal tuo indirizzo IP risale a meno di %1$d secondi fa. Riprova più tardi.';
$txt['registerWaitTime_broken'] = 'Hai già effettuato una registrazione appena %1$d secondi fa!';
$txt['loginWaitTime_broken'] = 'Devi attendere almeno %1$d secondi per rieffettuare l\'accesso.';
$txt['pmWaitTime_broken'] = 'L\'ultimo messaggio privato inviato da questo indirizzo IP risale a meno di %1$d secondi fa. Riprova più tardi.';
$txt['reporttmWaitTime_broken'] = 'L\'ultimo topic segnalato da questo indirizzo IP risale a meno di %1$d secondi fa. Riprova più tardi.';
$txt['sendtopcWaitTime_broken'] = 'L\'ultimo topic creato da questo indirizzo IP risale a meno di %1$d secondi fa. Riprova più tardi.';
$txt['sendmailWaitTime_broken'] = 'L\'ultima e-mail inviata da questo indirizzo IP risale a meno di %1$d secondi fa. Riprova più tardi.';
$txt['searchWaitTime_broken'] = 'La tua ultima ricerca è stata effettuata meno di %1$d secondi fa. Riprova più tardi.';

$txt['email_missing_data'] = 'Devi inserire qualcosa e nel campo Oggetto, e nelle caselle del massaggio.';

$txt['topic_gone'] = 'Non possiedi adeguati permessi per visualizzare questa Sezione. Per informazioni, invia una email: [email protected] ';
$txt['theme_edit_missing'] = 'Non è possibile trovare il file che si sta cercando di modificare!';

$txt['attachments_no_write'] = 'La cartella di caricamento degli allegati non ha i permessi di scrittura. Non è quindi possibile salvare allegati o avatar.';
$txt['attachments_limit_per_post'] = 'Non è possibile caricare più di %1$d allegati per post';

$txt['no_dump_database'] = 'Solo gli amministratori possono eseguire il backup del database!';
$txt['pm_not_yours'] = 'Il messaggio privato che si vorrebbe citare non esiste o non è tra i propri. Tornare alla pagina precedente e riprovare.';
$txt['mangled_post'] = 'I dati inviati dal modulo sono incompleti. Tornare alla pagina precedente e riprovare.';
$txt['quoted_post_deleted'] = 'Il post che si sta cercando di citare non esiste, è stato cancellato o non è più visualizzabile.';
$txt['pm_too_many_per_hour'] = 'Hai superato il limite massimo di %1$d messaggi personali inviati in un\'ora.';
$txt['labels_too_many'] = 'Spiacente, %1$s messaggi hanno già superato il limite massimo di etichette disponibili!';

$txt['register_only_once'] = 'Spiacente, ma non si ha il permesso di registrare più account allo stesso tempo dallo stesso computer.';
$txt['admin_setting_coppa_require_contact'] = 'Devi inserire o un indirizzo postale o un numero di fax se è richiesta l\'approvazione di un genitore/tutore.';

$txt['error_long_name'] = 'Il nome desiderato è troppo lungo.';
$txt['error_no_name'] = 'Non è stato inserito un nome.';
$txt['error_bad_name'] = 'Il nome inserito non può essere usato poiché contiene un nome riservato.';
$txt['error_no_email'] = 'Non è stato inserito un indirizzo e-mail.';
$txt['error_bad_email'] = 'L\'indirizzo e-mail inserito non è valido.';
$txt['error_no_event'] = 'Non è stato inserito il nome dell\'evento.';
$txt['error_no_subject'] = 'Non è stato inserito l\'oggetto.';
$txt['error_no_question'] = 'Non è stata inserita nessuna domanda in questo sondaggio.';
$txt['error_no_message'] = 'Non è stato inserito il corpo del post.';
$txt['error_long_message'] = 'Il post supera la lunghezza massima consentita di %s caratteri.';
$txt['error_no_comment'] = 'Il campo dei commenti è stato lasciato vuoto.';
$txt['error_session_timeout'] = 'La sessione è scaduta durante l\'inserimento. Provare a reinserire il post.';
$txt['error_no_to'] = 'Non è stato indicato nessun destinatario.';
$txt['error_bad_to'] = 'Uno o più destinatari del campo \'A:\' non esistono.';
$txt['error_bad_bcc'] = 'Uno o più destinatari del campo \'CCN:\' non esistono.';
$txt['error_form_already_submitted'] = 'Questo post è già stato inviato! Forse hai accidentalmente fatto doppio clic sul pulsante di invio post o è stata aggiornata la pagina.';
$txt['error_poll_few'] = 'Devono esserci almeno due scelte!';
$txt['error_need_qr_verification'] = 'Completa la verifica sottostante per inviare il tuo post.';
$txt['error_wrong_verification_code'] = 'Le lettere che hai digitato non corrispondono alle lettere mostrate nell\'immagine.';
$txt['error_wrong_verification_answer'] = 'Non hai risposto correttamente alle domande di verifica.';
$txt['error_need_verification_code'] = 'Per favore, inserisci il codice di verifica sottostante per visualizzare i risultati.';
$txt['error_bad_file'] = 'Spiacente, il file specificato non può essere aperto: %1$s';
$txt['error_bad_line'] = 'La riga specificata non è valida.';

$txt['smiley_not_found'] = 'Emoticon non trovata.';
$txt['smiley_has_no_code'] = 'Non è stato fornito un codice per questa emoticon.';
$txt['smiley_has_no_filename'] = 'Non è stato fornito un nome file per questa emoticon.';
$txt['smiley_not_unique'] = 'Esiste già un\'emoticon con questo nome.';
$txt['smiley_set_already_exists'] = 'Esiste già un pacchetto di emoticon con questo indirizzo';
$txt['smiley_set_not_found'] = 'Pacchetto di emoticon non trovato';
$txt['smiley_set_path_already_used'] = 'L\'indirizzo di questo pacchetto di emoticon è già usato da un altro pacchetto.';
$txt['smiley_set_unable_to_import'] = 'Impossibile importare il pacchetto di emoticon. La cartella non è valida o non è accessibile.';

$txt['smileys_upload_error'] = 'Caricamento del file fallito.';
$txt['smileys_upload_error_blank'] = 'Tutti i pacchetti di emoticon devono avere un\'immagine!';
$txt['smileys_upload_error_name'] = 'Tutte le emoticon devono avere lo stesso nome file!';
$txt['smileys_upload_error_illegal'] = 'Tipo non permesso.';

$txt['search_invalid_weights'] = 'La ricerca pesata non è configurata correttamente. Almeno un peso non deve essere nullo. Segnalare il problema ad un amministratore.';
$txt['unable_to_create_temporary'] = 'La funzione di ricerca non è in grado di creare delle tabelle temporanee. Riprovare.';

$txt['package_no_file'] = 'Impossibile trovare il file del pacchetto!';
$txt['packageget_unable'] = 'Impossibile collegarsi al server. Riprova utilizzando <a href="%1$s" target="_blank" class="new_win">questo indirizzo</a>.';
$txt['not_on_simplemachines'] = 'Spiacente, ma i pacchetti posso essere scaricati esclusivamente dal server di simplemachines.org.';
$txt['package_cant_uninstall'] = 'Questo pacchetto non è mai stato installato o è già stato disinstallato. Non è possibile disinstallarlo adesso.';
$txt['package_cant_download'] = 'Non è possibile scaricare o installare nuovi pacchetti poiché la cartella dei pacchetti o un file in essa non ha i permessi di scrittura!';
$txt['package_upload_error_nofile'] = 'Non hai selezionato alcun pacchetto da caricare.';
$txt['package_upload_error_failed'] = 'Impossibile caricare alcun pacchetto, assicurati che la cartella abbia adeguati permessi di scrittura!';
$txt['package_upload_error_exists'] = 'Il file che si sta caricando è già esistente sul server. Eliminarlo e poi riprovare.';
$txt['package_upload_error_supports'] = 'Il gestore pacchetti attualmente permette solo questi tipi di file: %1$s.';
$txt['package_upload_error_broken'] = 'Il caricamento del pacchetto è fallito per il seguente motivo:<br />&quot;%1$s&quot;';

$txt['package_get_error_not_found'] = 'Il pacchetto che stai cercando di installare non può essere localizzato. Potresti provare a caricare manualmente il pacchetto nella tua cartella Packages.';
$txt['package_get_error_missing_xml'] = 'Il pacchetto che stai cercando di installare è mancante del file package-info.xml, di solito presente nella root della directory del pacchetto.';
$txt['package_get_error_is_zero'] = 'Il pacchetto sembra essere vuoto, nonostante sia stato scaricato dal server. Controlla per favore che la cartella Packages e la sotto-cartella &quot;temp&quot; siano entrambe scrivibili. Se continui a riscontrare questo problema, prova ad estrarre il pacchetto sul tuo PC, a caricare i file estratti in una sotto-cartella di Packages e a provare nuovamente. Per esempio, se il pacchetto è chiamato shout.tar.gz, dovrai:<br />1) Scaricarlo sul tuo PC ed estrarre i file <br />2) Utilizzare un client FTP per creare una nuova cartella in &quot;Packages&quot, che in questo caso potrai chiamerai "shout".<br />3) Caricare tutti i file estratti dal pacchetto in questa cartella.<br />4) Tornare al gestore pacchetti, dove il pacchetto verrà automaticamente trovato da SMF.';
$txt['package_get_error_packageinfo_corrupt'] = 'SMF non ha potuto trovare alcuna informazione valida nel file package-info.xml incluso nel pacchetto. Potrebbe esserci un errore nella modifica, o il pacchetto potrebbe corrotto.';

$txt['no_membergroup_selected'] = 'Nessun gruppo selezionato';
$txt['membergroup_does_not_exist'] = 'Il gruppo non esiste o non è valido.';

$txt['at_least_one_admin'] = 'Ci deve essere almeno un amministratore del forum!';

$txt['error_functionality_not_windows'] = 'Al momento questa funzione non è disponibile per installazioni su server Windows.';

// Don't use entities in the below string.
$txt['attachment_not_found'] = 'Allegato non trovato';

$txt['error_no_boards_selected'] = 'Nessuna sezione valida selezionata!';
$txt['error_invalid_search_string'] = 'Hai dimenticato di inserire qualcosa da cercare?';
$txt['error_invalid_search_string_blacklist'] = 'Le parole inserite non permettono una ricerca adeguata. Riprova con parole differenti.';
$txt['error_search_string_small_words'] = 'Ogni parola deve essere lunga almeno due caratteri.';
$txt['error_query_not_specific_enough'] = 'La ricerca non ha prodotto alcun risultato valido.';
$txt['error_no_messages_in_time_frame'] = 'Nessun post trovato nel lasso di tempo selezionato.';
$txt['error_no_labels_selected'] = 'Nessuna etichetta selezionata!';
$txt['error_no_search_daemon'] = 'Impossibile accedere alla funzione di ricerca';

$txt['profile_errors_occurred'] = 'Si sono verificati i seguenti errori durante il salvataggio del profilo';
$txt['profile_error_bad_offset'] = 'La differenza di tempo è fuori intervallo';
$txt['profile_error_no_name'] = 'Il campo nome è stato lasciato vuoto';
$txt['profile_error_name_taken'] = 'Il nome utente/nome visualizzato selezionato è già in uso';
$txt['profile_error_name_too_long'] = 'Il nome selezionato è troppo lungo. Non dovrebbe essere più lungo di 60 caratteri';
$txt['profile_error_no_email'] = 'Il campo e-mail è stato lasciato vuoto';
$txt['profile_error_bad_email'] = 'Non è stato inserito un indirizzo e-mail valido';
$txt['profile_error_email_taken'] = 'Un altro utente è già registrato con questo indirizzo e-mail';
$txt['profile_error_no_password'] = 'Non è stata inserita una password';
$txt['profile_error_bad_new_password'] = 'Le nuove password inserite non corrispondono';
$txt['profile_error_bad_password'] = 'La password inserita non è corretta';
$txt['profile_error_bad_avatar'] = 'L\'avatar selezionato è troppo grande, oppure non è un avatar';
$txt['profile_error_password_short'] = 'La password deve essere lunga almeno ' . (empty($modSettings['password_strength']) ? 8) . ' caratteri.';
$txt['profile_error_password_restricted_words'] = 'La password non deve contenere il nome utente, l\'indirizzo e-mail o altre parole comunemente usate.';
$txt['profile_error_password_chars'] = 'La password deve contenere una mescolanza di lettere maiuscole e minuscole e di numeri.';
$txt['profile_error_already_requested_group'] = 'Hai già una richiesta in corso per questo gruppo!';
$txt['profile_error_openid_in_use'] = 'Un altro utente sta già utilizzando quell\'indirizzo di autenticazione OpenID';

$txt['mysql_error_space'] = ' - verifica lo spazio disponibile per il database o contatta l\'amministratore del server.';

$txt['icon_not_found'] = 'L\'immagine dell\'icona non è stata trovata nel tema predefinito - assicurarsi che l\'immagine sia stata caricata e riprovare.';
$txt['icon_after_itself'] = 'L\'icona non può essere posizionata dopo se stessa!';
$txt['icon_name_too_long'] = 'I nomi dei file delle icone non possono essere più lunghi di 16 caratteri';

$txt['name_censored'] = 'Il nome che hai inserito, %1$s, contiene parole vietate. Riprova con un altro nome.';

$txt['poll_already_exists'] = 'Un topic può avere un solo sondaggio associato!';
$txt['poll_not_found'] = 'Non c\'è un sondaggio associato a questo topic!';

$txt['error_while_adding_poll'] = 'Si sono verificati i seguenti errori durante l\'inserimento di questo sondaggio';
$txt['error_while_editing_poll'] = 'Si sono verificati i seguenti errori durante la modifica di questo sondaggio';

$txt['loadavg_search_disabled'] = 'A causa del carico eccessivo sul server, la funzione di ricerca è stata automaticamente e temporaneamente disabilitata. Riprovare più tardi.';
$txt['loadavg_generic_disabled'] = 'Spiacente, ma a causa del carico eccessivo sul server, la funzione non è al momento disponibile.';
$txt['loadavg_allunread_disabled'] = 'Le risorse del server sono sovraccariche, e non è possibile trovare tutte i topic non lette.';
$txt['loadavg_unreadreplies_disabled'] = 'Il server è al momento sovraccarico. Riprovare più tardi.';
$txt['loadavg_show_posts_disabled'] = 'Riprovare più tardi. I post di questo utente non sono al momento disponibili a causa del carico eccessivo sul server.';
$txt['loadavg_unread_disabled'] = 'Le risorse del server sono temporaneamente troppo sotto pressione per poter elencare i topic non letti.';

$txt['cannot_edit_permissions_inherited'] = 'Non puoi modificare direttamente i permessi ereditati, devi prima You can not edit inherited permissions directly, you must either edit the parent group or edit the membergroup inheritance.';

$txt['mc_no_modreport_specified'] = 'Specifica quale segnalazione desideri visualizzare.';
$txt['mc_no_modreport_found'] = 'La segnalazione specificata non esiste o è off-limits per te.';

$txt['st_cannot_retrieve_file'] = 'Non è possibile trovare il file %1$s.';
$txt['admin_file_not_found'] = 'Non è possibile caricare il file richiesto: %1$s.';

$txt['themes_none_selectable'] = 'Almeno un tema deve essere selezionabile.';
$txt['themes_default_selectable'] = 'Il tema standard generale del forum deve essere selezionabile.';
$txt['ignoreboards_disallowed'] = 'L\'opzione per ignorare le sezioni non è stata abilitata.';

$txt['mboards_delete_error'] = 'Nessuna categoria selezionata!';
$txt['mboards_delete_board_error'] = 'Nessuna sezione selezionata!';

$txt['mboards_parent_own_child_error'] = 'Impossibile rendere sottosezione una sezione!';
$txt['mboards_board_own_child_error'] = 'Impossibile rendere sottosezione una sezione!';

$txt['smileys_upload_error_notwritable'] = 'Le seguenti cartelle degli smiley non sono scrivibili: %1$s';
$txt['smileys_upload_error_types'] = 'Image can only have the following extensions: %1$s.';

$txt['change_email_success'] = 'Dato che il tuo indirizzo e-mail è stato cambiato, ti è stata inviata una nuova e-mail di attivazione.';
$txt['resend_email_success'] = 'Una nuova e-mail di attivazione è stata inviata con successo.';

$txt['custom_option_need_name'] = 'Questa opzione del profilo deve avere un nome!';
$txt['custom_option_not_unique'] = 'Il nome campo non è unico!';

$txt['warning_no_reason'] = 'Devi inserire un motivo per la modifica dello stato richiami dell\'utente.';
$txt['warning_notify_blank'] = 'Hai selezionato di notificare l\'utente ma non hai completato i campi oggetto/messaggio.';

$txt['cannot_connect_doc_site'] = 'Non è possibile collegarsi al manuale online di Simple Machines. Accertati che la configurazione del tuo server consenta le connessione esterne ad Internet e riprova.';

$txt['movetopic_no_reason'] = 'Devi inserire un motivo per lo spostamento del topic, oppure togliere il segno di spunta dall\'opzione per aggiungere un topic di reindirizzamento.';

// OpenID error strings
$txt['openid_server_bad_response'] = 'L\'identificatore richiesto non ha restituito le informazioni necessarie.';
$txt['openid_return_no_mode'] = 'Il provider dell\'identità non ha risposto con la modalità OpenID.';
$txt['openid_not_resolved'] = 'Il provider dell\'identità non ha approvato la tua richiesta.';
$txt['openid_no_assoc'] = 'Non è possibile trovare l\'associazione richiesta con il provider dell\'identità.';
$txt['openid_sig_invalid'] = 'La firma del provider dell\'identità non è valida.';
$txt['openid_load_data'] = 'Non è stato possibile recuperare i dati dalla tua richiesta di login. Riprova.';
$txt['openid_not_verified'] = 'L\'indirizzo OpenID fornito non è stato ancora verificato. Fai login per accedere alla verifica.';

$txt['error_custom_field_too_long'] = 'Il campo &quot;%1$s&quot; non può superare i %2$d caratteri di lunghezza.';
$txt['error_custom_field_invalid_email'] = 'Il campo &quot;%1$s&quot; deve essere un indirizzo e-mail valido.';
$txt['error_custom_field_not_number'] = 'Il campo &quot;%1$s&quot; deve essere numerico.';
$txt['error_custom_field_inproper_format'] = 'Il campo &quot;%1$s&quot; è in un formato non valido.';
$txt['error_custom_field_empty'] = 'Il campo &quot;%1$s&quot; non può essere lasciato in bianco.';

$txt['email_no_template'] = 'Il template e-mail &quot;%1$s&quot; non può essere trovato.';

$txt['search_api_missing'] = 'Non è possibile trovare l\'API di ricerca! Contatta l\'amministratore per verificare che siano stati caricati correttamente i file relativi.';
$txt['search_api_not_compatible'] = 'L\'API di ricerca selezionata per il forum, è obsoleta - Ritorno alla ricerca standard in corso. Per ulteriori informazioni, controlla il file %1$s.';

// Restore topic/posts
$txt['cannot_restore_first_post'] = 'Non puoi ripristinare il primo post in un topic.';
$txt['parent_topic_missing'] = 'Il topic di origine di questo post in ripristino è stato cancellato.';
$txt['restored_disabled'] = 'Il ripristino dei topic è stato disabilitato.';
$txt['restore_not_found'] = 'I seguenti post non possono essere ripristinati; il topic originale potrebbe essere stato rimosso:<ul style="margin-top: 0px;">%1$s</ul>Sarà necessario spostarli manualmente.';

$txt['error_invalid_dir'] = 'La directory inserita non è valida.';

$txt['error_sqlite_optimizing'] = 'Sqlite sta ottimizzando il database, il forum rimarrà inaccessibile fino a quando il sistema non avrà terminato. Prova a ricaricare la pagina fra qualche istante.';

?>

hollywood9111

e un problema di permessi a questo punto i file sono ok
quindi
che permessi ha la cartelal themes?

emanuele

Adesso che ti sono state abilitate le due funzioni, per prima cosa rimetti il codice come era prima del cambiamento che abbiamo fatto nell'altro topic.

E vediamo cosa dice.


Take a peek at what I'm doing! ;D




Hai bisogno di supporto in Italiano?

Aiutateci ad aiutarvi: spiegate bene il vostro problema: no, "non funziona" non è una spiegazione!!
1) Cosa fai,
2) cosa ti aspetti,
3) cosa ottieni.

Vittorio


hollywood9111

prova 777 anche se non cambia molto

Vittorio

Quote from: emanuele on December 21, 2012, 07:50:16 AM
Adesso che ti sono state abilitate le due funzioni, per prima cosa rimetti il codice come era prima del cambiamento che abbiamo fatto nell'altro topic.

E vediamo cosa dice.

Packages.php ?

emanuele



Take a peek at what I'm doing! ;D




Hai bisogno di supporto in Italiano?

Aiutateci ad aiutarvi: spiegate bene il vostro problema: no, "non funziona" non è una spiegazione!!
1) Cosa fai,
2) cosa ti aspetti,
3) cosa ottieni.

Vittorio


emanuele

"niente da fare" lo immaginavo già, che errore ti da?
Se non ti da errore, guarda dammi i dati ftp che vedo di metterci le mani io...


Take a peek at what I'm doing! ;D




Hai bisogno di supporto in Italiano?

Aiutateci ad aiutarvi: spiegate bene il vostro problema: no, "non funziona" non è una spiegazione!!
1) Cosa fai,
2) cosa ti aspetti,
3) cosa ottieni.

Vittorio

sempre uguale, si è verificato un errore, adesso ti invio un mp.

Advertisement: