diff options
Diffstat (limited to 'phpBB/includes')
82 files changed, 1730 insertions, 4219 deletions
| diff --git a/phpBB/includes/acp/acp_attachments.php b/phpBB/includes/acp/acp_attachments.php index e710260b35..1aaf1f9c09 100644 --- a/phpBB/includes/acp/acp_attachments.php +++ b/phpBB/includes/acp/acp_attachments.php @@ -20,14 +20,37 @@ if (!defined('IN_PHPBB'))  */  class acp_attachments  { -	var $u_action; -	var $new_config; +	/** @var \phpbb\db\driver\driver_interface */ +	protected $db; + +	/** @var \phpbb\config\config */ +	protected $config; + +	/** @var ContainerBuilder */ +	protected $phpbb_container; + +	/** @var \phpbb\template\template */ +	protected $template; + +	/** @var \phpbb\user */ +	protected $user; + +	public $id; +	public $u_action; +	protected $new_config;  	function main($id, $mode)  	{  		global $db, $user, $auth, $template, $cache, $phpbb_container;  		global $config, $phpbb_admin_path, $phpbb_root_path, $phpEx; +		$this->id = $id; +		$this->db = $db; +		$this->config = $config; +		$this->template = $template; +		$this->user = $user; +		$this->phpbb_container = $phpbb_container; +  		$user->add_lang(array('posting', 'viewtopic', 'acp/attachments'));  		$error = $notify = array(); @@ -124,7 +147,6 @@ class acp_attachments  						'secure_allow_empty_referer'	=> array('lang' => 'SECURE_EMPTY_REFERRER', 'validate' => 'bool',	'type' => 'radio:yes_no', 'explain' => true),  						'check_attachment_content' 		=> array('lang' => 'CHECK_CONTENT', 'validate' => 'bool',	'type' => 'radio:yes_no', 'explain' => true), -  						'legend2'					=> $l_legend_cat_images,  						'img_display_inlined'		=> array('lang' => 'DISPLAY_INLINED',		'validate' => 'bool',	'type' => 'radio:yes_no', 'explain' => true),  						'img_create_thumbnail'		=> array('lang' => 'CREATE_THUMBNAIL',		'validate' => 'bool',	'type' => 'radio:yes_no', 'explain' => true), @@ -1082,9 +1104,21 @@ class acp_attachments  					}  				} +				if ($action == 'stats') +				{ +					$this->handle_stats_resync(); +				} + +				$stats_error = $this->check_stats_accuracy(); + +				if ($stats_error) +				{ +					$error[] = $stats_error; +				} +  				$template->assign_vars(array( -					'S_MANAGE'		=> true) -				); +					'S_MANAGE'		=> true, +				));  				$start		= request_var('start', 0); @@ -1107,66 +1141,11 @@ class acp_attachments  				$attachments_per_page = (int) $config['topics_per_page']; -				// Handle files stats resync -				$action = request_var('action', ''); -				$resync_files_stats = false; -				if ($action && $action = 'stats') -				{ -					if (!confirm_box(true)) -					{ -						confirm_box(false, $user->lang['RESYNC_FILES_STATS_CONFIRM'], build_hidden_fields(array( -							'i'			=> $id, -							'mode'		=> $mode, -							'action'	=> $action, -						))); -					} -					else -					{ -						$resync_files_stats = true; -						add_log('admin', 'LOG_RESYNC_FILES_STATS'); -					} -				} - -				// Check if files stats are accurate -				$sql = 'SELECT COUNT(attach_id) as num_files -					FROM ' . ATTACHMENTS_TABLE . ' -					WHERE is_orphan = 0'; -				$result = $db->sql_query($sql, 600); -				$num_files_real = (int) $db->sql_fetchfield('num_files'); -				if ($resync_files_stats === true) -				{ -					set_config('num_files', $num_files_real, true); -				} -				$db->sql_freeresult($result); - -				$sql = 'SELECT SUM(filesize) as upload_dir_size -					FROM ' . ATTACHMENTS_TABLE . ' -					WHERE is_orphan = 0'; -				$result = $db->sql_query($sql, 600); -				$total_size_real = (float) $db->sql_fetchfield('upload_dir_size'); -				if ($resync_files_stats === true) -				{ -					set_config('upload_dir_size', $total_size_real, true); -				} -				$db->sql_freeresult($result); - -				// Get current files stats -				$num_files = (int) $config['num_files']; -				$total_size = (float) $config['upload_dir_size']; - -				// Issue warning message if files stats are inaccurate -				if (($num_files != $num_files_real) || ($total_size != $total_size_real)) -				{ -					$error[] = $user->lang('FILES_STATS_WRONG', (int) $num_files_real, get_formatted_filesize($total_size_real)); - -					$template->assign_vars(array( -						'S_ACTION_OPTIONS'	=> ($auth->acl_get('a_board')) ? true : false, -						'U_ACTION'			=> $this->u_action,) -					); -				} +				$stats = $this->get_attachment_stats($limit_filetime); +				$num_files = $stats['num_files']; +				$total_size = $stats['upload_dir_size'];  				// Make sure $start is set to the last page if it exceeds the amount -  				$pagination = $phpbb_container->get('pagination');  				$start = $pagination->validate_start($start, $attachments_per_page, $num_files); @@ -1222,7 +1201,6 @@ class acp_attachments  					'TOTAL_FILES'		=> $num_files,  					'TOTAL_SIZE'		=> get_formatted_filesize($total_size), -					'S_ON_PAGE'			=> $pagination->on_page($base_url, $num_files, $attachments_per_page, $start),  					'S_LIMIT_DAYS'		=> $s_limit_days,  					'S_SORT_KEY'		=> $s_sort_key,  					'S_SORT_DIR'		=> $s_sort_dir) @@ -1284,6 +1262,97 @@ class acp_attachments  	}  	/** +	* Get attachment file count and size of upload directory +	* +	* @param $limit string	Additional limit for WHERE clause to filter stats by. +	* @return array Returns array with stats: num_files and upload_dir_size +	*/ +	public function get_attachment_stats($limit = '') +	{ +		$sql = 'SELECT COUNT(a.attach_id) AS num_files, SUM(a.filesize) AS upload_dir_size +			FROM ' . ATTACHMENTS_TABLE . " a +			WHERE a.is_orphan = 0 +				$limit"; +		$result = $this->db->sql_query($sql); +		$row = $this->db->sql_fetchrow($result); +		$this->db->sql_freeresult($result); + +		return array( +			'num_files'			=> (int) $row['num_files'], +			'upload_dir_size'	=> (float) $row['upload_dir_size'], +		); +	} + +	/** +	* Set config attachment stat values +	* +	* @param $stats array	Array of config key => value pairs to set. +	* @return null +	*/ +	public function set_attachment_stats($stats) +	{ +		foreach ($stats as $key => $value) +		{ +			$this->config->set($key, $value, true); +		} +	} + +	/** +	* Check accuracy of attachment statistics. +	* +	* @param $resync bool	Resync stats if they're incorrect. +	* @return bool|string	Returns false if stats are correct or error message +	*	otherwise. +	*/ +	public function check_stats_accuracy() +	{ +		// Get fresh stats. +		$stats = $this->get_attachment_stats(); + +		// Get current files stats +		$num_files = (int) $this->config['num_files']; +		$total_size = (float) $this->config['upload_dir_size']; + +		if (($num_files != $stats['num_files']) || ($total_size != $stats['upload_dir_size'])) +		{ +			$u_resync = $this->u_action . '&action=stats'; + +			return $this->user->lang( +				'FILES_STATS_WRONG', +				(int) $stats['num_files'], +				get_formatted_filesize($stats['upload_dir_size']), +				'<a href="' . $u_resync . '">', +				'</a>' +			); +		} +		return false; +	} + +	/** +	* Handle stats resync. +	* +	* @return null +	*/ +	public function handle_stats_resync() +	{ +		if (!confirm_box(true)) +		{ +			confirm_box(false, $this->user->lang['RESYNC_FILES_STATS_CONFIRM'], build_hidden_fields(array( +				'i'			=> $this->id, +				'mode'		=> 'manage', +				'action'	=> 'stats', +			))); +		} +		else +		{ +			$this->set_attachment_stats($this->get_attachment_stats()); +			$log = $this->phpbb_container->get('log'); +			$log->add('admin', $this->user->data['user_id'], $this->user->ip, 'LOG_RESYNC_FILES_STATS'); +		} + +	} + +	/**  	* Build Select for category items  	*/  	function category_select($select_name, $group_id = false, $key = '') diff --git a/phpBB/includes/acp/acp_ban.php b/phpBB/includes/acp/acp_ban.php index 3ed9c225f5..41095f1382 100644 --- a/phpBB/includes/acp/acp_ban.php +++ b/phpBB/includes/acp/acp_ban.php @@ -109,7 +109,7 @@ class acp_ban  			'L_NO_BAN_CELL'			=> $l_no_ban_cell,  			'S_USERNAME_BAN'	=> ($mode == 'user') ? true : false, -			 +  			'U_ACTION'			=> $this->u_action,  			'U_FIND_USERNAME'	=> append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=searchuser&form=acp_ban&field=ban'),  		)); diff --git a/phpBB/includes/acp/acp_bbcodes.php b/phpBB/includes/acp/acp_bbcodes.php index 84382b6276..4b9072d12a 100644 --- a/phpBB/includes/acp/acp_bbcodes.php +++ b/phpBB/includes/acp/acp_bbcodes.php @@ -142,7 +142,7 @@ class acp_bbcodes  			case 'create':  				$sql_ary = $hidden_fields = array(); -				 +  				/**  				* Modify custom bbcode data before the modify/create action  				* @@ -159,7 +159,16 @@ class acp_bbcodes  				*									submitting form when $warn_text is true  				* @since 3.1.0-a3  				*/ -				$vars = array('action', 'sql_ary', 'bbcode_id', 'display_on_posting', 'bbcode_match', 'bbcode_tpl', 'bbcode_helpline', 'hidden_fields'); +				$vars = array( +					'action', +					'sql_ary', +					'bbcode_id', +					'display_on_posting', +					'bbcode_match', +					'bbcode_tpl', +					'bbcode_helpline', +					'hidden_fields', +				);  				extract($phpbb_dispatcher->trigger_event('core.acp_bbcodes_modify_create', compact($vars)));  				$warn_text = preg_match('%<[^>]*\{text[\d]*\}[^>]*>%i', $bbcode_tpl); @@ -210,7 +219,6 @@ class acp_bbcodes  						trigger_error($user->lang['BBCODE_TAG_DEF_TOO_LONG'] . adm_back_link($this->u_action), E_USER_WARNING);  					} -  					if (strlen($bbcode_helpline) > 255)  					{  						trigger_error($user->lang['BBCODE_HELPLINE_TOO_LONG'] . adm_back_link($this->u_action), E_USER_WARNING); @@ -311,7 +319,7 @@ class acp_bbcodes  						$db->sql_query('DELETE FROM ' . BBCODES_TABLE . " WHERE bbcode_id = $bbcode_id");  						$cache->destroy('sql', BBCODES_TABLE);  						add_log('admin', 'LOG_BBCODE_DELETE', $row['bbcode_tag']); -						 +  						if ($request->is_ajax())  						{  							$json_response = new \phpbb\json_response; diff --git a/phpBB/includes/acp/acp_board.php b/phpBB/includes/acp/acp_board.php index 10fbde8c9b..6b52fbbdb2 100644 --- a/phpBB/includes/acp/acp_board.php +++ b/phpBB/includes/acp/acp_board.php @@ -28,7 +28,7 @@ class acp_board  	{  		global $db, $user, $auth, $template;  		global $config, $phpbb_root_path, $phpbb_admin_path, $phpEx; -		global $cache, $phpbb_container; +		global $cache, $phpbb_container, $phpbb_dispatcher;  		$user->add_lang('acp/board'); @@ -434,6 +434,7 @@ class acp_board  						'email_function_name'	=> array('lang' => 'EMAIL_FUNCTION_NAME',	'validate' => 'string',	'type' => 'text:20:50', 'explain' => true),  						'email_package_size'	=> array('lang' => 'EMAIL_PACKAGE_SIZE',	'validate' => 'int:0',	'type' => 'number:0:99999', 'explain' => true),  						'board_contact'			=> array('lang' => 'CONTACT_EMAIL',			'validate' => 'email',	'type' => 'email:25:100', 'explain' => true), +						'board_contact_name'	=> array('lang' => 'CONTACT_EMAIL_NAME',	'validate' => 'string',	'type' => 'text:25:50', 'explain' => true),  						'board_email'			=> array('lang' => 'ADMIN_EMAIL',			'validate' => 'email',	'type' => 'email:25:100', 'explain' => true),  						'board_email_sig'		=> array('lang' => 'EMAIL_SIG',				'validate' => 'string',	'type' => 'textarea:5:30', 'explain' => true),  						'board_hide_emails'		=> array('lang' => 'BOARD_HIDE_EMAILS',		'validate' => 'bool',	'type' => 'radio:yes_no', 'explain' => true), @@ -456,6 +457,18 @@ class acp_board  			break;  		} +		/** +		* Event to add and/or modify acp_board configurations +		* +		* @event core.acp_board_config_edit_add +		* @var	array	display_vars	Array of config values to display and process +		* @var	string	mode			Mode of the config page we are displaying +		* @var	boolean	submit			Do we display the form or process the submission +		* @since 3.1.0-a4 +		*/ +		$vars = array('display_vars', 'mode', 'submit'); +		extract($phpbb_dispatcher->trigger_event('core.acp_board_config_edit_add', compact($vars))); +  		if (isset($display_vars['lang']))  		{  			$user->add_lang($display_vars['lang']); diff --git a/phpBB/includes/acp/acp_bots.php b/phpBB/includes/acp/acp_bots.php index e28a8d6451..7384f719bf 100644 --- a/phpBB/includes/acp/acp_bots.php +++ b/phpBB/includes/acp/acp_bots.php @@ -157,7 +157,7 @@ class acp_bots  					{  						$error[] = $user->lang['ERR_BOT_NO_MATCHES'];  					} -			 +  					if ($bot_row['bot_ip'] && !preg_match('#^[\d\.,:]+$#', $bot_row['bot_ip']))  					{  						if (!$ip_list = gethostbynamel($bot_row['bot_ip'])) @@ -176,7 +176,7 @@ class acp_bots  					{  						$error[] = $user->lang['ERR_BOT_AGENT_MATCHES_UA'];  					} -					 +  					$bot_name = false;  					if ($bot_id)  					{ @@ -201,7 +201,7 @@ class acp_bots  					{  						$error[] = $user->lang['BOT_NAME_TAKEN'];  					} -					 +  					if (!sizeof($error))  					{  						// New bot? Create a new user and group entry @@ -219,7 +219,6 @@ class acp_bots  							{  								trigger_error($user->lang['NO_BOT_GROUP'] . adm_back_link($this->u_action . "&id=$bot_id&action=$action"), E_USER_WARNING);  							} -						  							$user_id = user_add(array(  								'user_type'				=> (int) USER_IGNORE, @@ -233,7 +232,7 @@ class acp_bots  								'user_style'			=> (int) $bot_row['bot_style'],  								'user_allow_massemail'	=> 0,  							)); -	 +  							$sql = 'INSERT INTO ' . BOTS_TABLE . ' ' . $db->sql_build_array('INSERT', array(  								'user_id'		=> (int) $user_id,  								'bot_name'		=> (string) $bot_row['bot_name'], @@ -242,7 +241,7 @@ class acp_bots  								'bot_ip'		=> (string) $bot_row['bot_ip'])  							);  							$db->sql_query($sql); -	 +  							$log = 'ADDED';  						}  						else if ($bot_id) @@ -289,12 +288,12 @@ class acp_bots  							$log = 'UPDATED';  						} -						 +  						$cache->destroy('_bots'); -						 +  						add_log('admin', 'LOG_BOT_' . $log, $bot_row['bot_name']);  						trigger_error($user->lang['BOT_' . $log] . adm_back_link($this->u_action)); -					 +  					}  				}  				else if ($bot_id) @@ -335,11 +334,11 @@ class acp_bots  					'U_ACTION'		=> $this->u_action . "&id=$bot_id&action=$action",  					'U_BACK'		=> $this->u_action,  					'ERROR_MSG'		=> (sizeof($error)) ? implode('<br />', $error) : '', -					 +  					'BOT_NAME'		=> $bot_row['bot_name'],  					'BOT_IP'		=> $bot_row['bot_ip'],  					'BOT_AGENT'		=> $bot_row['bot_agent'], -					 +  					'S_EDIT_BOT'		=> true,  					'S_ACTIVE_OPTIONS'	=> $s_active_options,  					'S_STYLE_OPTIONS'	=> $style_select, @@ -352,7 +351,7 @@ class acp_bots  			break;  		} -		 +  		if ($request->is_ajax() && ($action == 'activate' || $action == 'deactivate'))  		{  			$json_response = new \phpbb\json_response; @@ -397,7 +396,7 @@ class acp_bots  		}  		$db->sql_freeresult($result);  	} -	 +  	/**  	* Validate bot name against username table  	*/ @@ -417,7 +416,7 @@ class acp_bots  		$result = $db->sql_query($sql);  		$row = $db->sql_fetchrow($result);  		$db->sql_freeresult($result); -		 +  		return ($row) ? false : true;  	}  } diff --git a/phpBB/includes/acp/acp_captcha.php b/phpBB/includes/acp/acp_captcha.php index 1a083c20ac..71defda09f 100644 --- a/phpBB/includes/acp/acp_captcha.php +++ b/phpBB/includes/acp/acp_captcha.php @@ -36,7 +36,6 @@ class acp_captcha  		$selected = (isset($captchas['available'][$selected]) || isset($captchas['unavailable'][$selected])) ? $selected : $config['captcha_plugin'];  		$configure = request_var('configure', false); -  		// Oh, they are just here for the view  		if (isset($_GET['captcha_demo']))  		{ diff --git a/phpBB/includes/acp/acp_database.php b/phpBB/includes/acp/acp_database.php index 8afc3709b9..d28ee5b067 100644 --- a/phpBB/includes/acp/acp_database.php +++ b/phpBB/includes/acp/acp_database.php @@ -1180,7 +1180,6 @@ class postgres_extractor extends base_extractor  		}  		$db->sql_freeresult($result); -  		// Get the listing of primary keys.  		$sql_pri_keys = "SELECT ic.relname as index_name, bc.relname as tab_name, ta.attname as column_name, i.indisunique as unique_key, i.indisprimary as primary_key  			FROM pg_class bc, pg_class ic, pg_index i, pg_attribute ta, pg_attribute ia @@ -1280,7 +1279,6 @@ class postgres_extractor extends base_extractor  			$ary_type[] = pg_field_type($result, $i);  			$ary_name[] = pg_field_name($result, $i); -  			$sql = "SELECT pg_get_expr(d.adbin, d.adrelid) as rowdefault  				FROM pg_attrdef d, pg_class c  				WHERE (c.relname = '{$table_name}') diff --git a/phpBB/includes/acp/acp_extensions.php b/phpBB/includes/acp/acp_extensions.php index 2ff479d824..21a1909ac1 100644 --- a/phpBB/includes/acp/acp_extensions.php +++ b/phpBB/includes/acp/acp_extensions.php @@ -241,21 +241,15 @@ class acp_extensions  	 */  	public function list_enabled_exts(\phpbb\extension\manager $phpbb_extension_manager)  	{ +		$enabled_extension_meta_data = array(); +  		foreach ($phpbb_extension_manager->all_enabled() as $name => $location)  		{  			$md_manager = $phpbb_extension_manager->create_extension_metadata_manager($name, $this->template);  			try  			{ -				$this->template->assign_block_vars('enabled', array( -					'META_DISPLAY_NAME'		=> $md_manager->get_metadata('display-name'), - -					'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), -				)); - -				$this->output_actions('enabled', array( -					'DISABLE'		=> $this->u_action . '&action=disable_pre&ext_name=' . urlencode($name), -				)); +				$enabled_extension_meta_data[$name] = $md_manager->get_metadata('display-name');  			}  			catch(\phpbb\extension\exception $e)  			{ @@ -264,6 +258,21 @@ class acp_extensions  				));  			}  		} + +		natcasesort($enabled_extension_meta_data); + +		foreach ($enabled_extension_meta_data as $name => $display_name) +		{ +			$this->template->assign_block_vars('enabled', array( +				'META_DISPLAY_NAME'		=> $display_name, + +				'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), +			)); + +			$this->output_actions('enabled', array( +				'DISABLE'		=> $this->u_action . '&action=disable_pre&ext_name=' . urlencode($name), +			)); +		}  	}  	/** @@ -274,22 +283,15 @@ class acp_extensions  	 */  	public function list_disabled_exts(\phpbb\extension\manager $phpbb_extension_manager)  	{ +		$disabled_extension_meta_data = array(); +  		foreach ($phpbb_extension_manager->all_disabled() as $name => $location)  		{  			$md_manager = $phpbb_extension_manager->create_extension_metadata_manager($name, $this->template);  			try  			{ -				$this->template->assign_block_vars('disabled', array( -					'META_DISPLAY_NAME'		=> $md_manager->get_metadata('display-name'), - -					'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), -				)); - -				$this->output_actions('disabled', array( -					'ENABLE'		=> $this->u_action . '&action=enable_pre&ext_name=' . urlencode($name), -					'DELETE_DATA'	=> $this->u_action . '&action=delete_data_pre&ext_name=' . urlencode($name), -				)); +				$disabled_extension_meta_data[$name] = $md_manager->get_metadata('display-name');  			}  			catch(\phpbb\extension\exception $e)  			{ @@ -298,6 +300,22 @@ class acp_extensions  				));  			}  		} + +		natcasesort($disabled_extension_meta_data); + +		foreach ($disabled_extension_meta_data as $name => $display_name) +		{ +			$this->template->assign_block_vars('disabled', array( +				'META_DISPLAY_NAME'		=> $display_name, + +				'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), +			)); + +			$this->output_actions('disabled', array( +				'ENABLE'		=> $this->u_action . '&action=enable_pre&ext_name=' . urlencode($name), +				'DELETE_DATA'	=> $this->u_action . '&action=delete_data_pre&ext_name=' . urlencode($name), +			)); +		}  	}  	/** @@ -310,21 +328,15 @@ class acp_extensions  	{  		$uninstalled = array_diff_key($phpbb_extension_manager->all_available(), $phpbb_extension_manager->all_configured()); +		$available_extension_meta_data = array(); +  		foreach ($uninstalled as $name => $location)  		{  			$md_manager = $phpbb_extension_manager->create_extension_metadata_manager($name, $this->template);  			try  			{ -				$this->template->assign_block_vars('disabled', array( -					'META_DISPLAY_NAME'		=> $md_manager->get_metadata('display-name'), - -					'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), -				)); - -				$this->output_actions('disabled', array( -					'ENABLE'		=> $this->u_action . '&action=enable_pre&ext_name=' . urlencode($name), -				)); +				$available_extension_meta_data[$name] = $md_manager->get_metadata('display-name');  			}  			catch(\phpbb\extension\exception $e)  			{ @@ -333,6 +345,21 @@ class acp_extensions  				));  			}  		} + +		natcasesort($available_extension_meta_data); + +		foreach ($available_extension_meta_data as $name => $display_name) +		{ +			$this->template->assign_block_vars('disabled', array( +				'META_DISPLAY_NAME'		=> $display_name, + +				'U_DETAILS'		=> $this->u_action . '&action=details&ext_name=' . urlencode($name), +			)); + +			$this->output_actions('disabled', array( +				'ENABLE'		=> $this->u_action . '&action=enable_pre&ext_name=' . urlencode($name), +			)); +		}  	}  	/** diff --git a/phpBB/includes/acp/acp_forums.php b/phpBB/includes/acp/acp_forums.php index 029f4b23c9..160bfc05de 100644 --- a/phpBB/includes/acp/acp_forums.php +++ b/phpBB/includes/acp/acp_forums.php @@ -138,12 +138,15 @@ class acp_forums  						'enable_prune'			=> request_var('enable_prune', false),  						'enable_post_review'	=> request_var('enable_post_review', true),  						'enable_quick_reply'	=> request_var('enable_quick_reply', false), +						'enable_shadow_prune'		=> request_var('enable_shadow_prune', false),  						'prune_days'			=> request_var('prune_days', 7),  						'prune_viewed'			=> request_var('prune_viewed', 7),  						'prune_freq'			=> request_var('prune_freq', 1),  						'prune_old_polls'		=> request_var('prune_old_polls', false),  						'prune_announce'		=> request_var('prune_announce', false),  						'prune_sticky'			=> request_var('prune_sticky', false), +						'prune_shadow_days'		=> request_var('prune_shadow_days', 7), +						'prune_shadow_freq'		=> request_var('prune_shadow_freq', 1),  						'forum_password'		=> request_var('forum_password', '', true),  						'forum_password_confirm'=> request_var('forum_password_confirm', '', true),  						'forum_password_unset'	=> request_var('forum_password_unset', false), @@ -155,7 +158,7 @@ class acp_forums  					* @event core.acp_manage_forums_request_data  					* @var	string	action		Type of the action: add|edit  					* @var	array	forum_data	Array with new forum data -					* @since 3.1-A1 +					* @since 3.1.0-a1  					*/  					$vars = array('action', 'forum_data');  					extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_request_data', compact($vars))); @@ -457,6 +460,9 @@ class acp_forums  							'prune_days'			=> 7,  							'prune_viewed'			=> 7,  							'prune_freq'			=> 1, +							'enable_shadow_prune'		=> false, +							'prune_shadow_days'		=> 7, +							'prune_shadow_freq'		=> 1,  							'forum_flags'			=> FORUM_FLAG_POST_REVIEW + FORUM_FLAG_ACTIVE_TOPICS,  							'forum_options'			=> 0,  							'forum_password'		=> '', @@ -478,7 +484,7 @@ class acp_forums  				*							empty when creating new forum  				* @var	array	forum_data	Array with new forum data  				* @var	string	parents_list	List of parent options -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('action', 'update', 'forum_id', 'row', 'forum_data', 'parents_list');  				extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_initialise_data', compact($vars))); @@ -636,6 +642,8 @@ class acp_forums  					'PRUNE_FREQ'				=> $forum_data['prune_freq'],  					'PRUNE_DAYS'				=> $forum_data['prune_days'],  					'PRUNE_VIEWED'				=> $forum_data['prune_viewed'], +					'PRUNE_SHADOW_FREQ'			=> $forum_data['prune_shadow_freq'], +					'PRUNE_SHADOW_DAYS'			=> $forum_data['prune_shadow_days'],  					'TOPICS_PER_PAGE'			=> $forum_data['forum_topics_per_page'],  					'FORUM_RULES_LINK'			=> $forum_data['forum_rules_link'],  					'FORUM_RULES'				=> $forum_data['forum_rules'], @@ -668,6 +676,7 @@ class acp_forums  					'S_DISPLAY_SUBFORUM_LIST'	=> ($forum_data['display_subforum_list']) ? true : false,  					'S_DISPLAY_ON_INDEX'		=> ($forum_data['display_on_index']) ? true : false,  					'S_PRUNE_ENABLE'			=> ($forum_data['enable_prune']) ? true : false, +					'S_PRUNE_SHADOW_ENABLE'			=> ($forum_data['enable_shadow_prune']) ? true : false,  					'S_FORUM_LINK_TRACK'		=> ($forum_data['forum_flags'] & FORUM_FLAG_LINK_TRACK) ? true : false,  					'S_PRUNE_OLD_POLLS'			=> ($forum_data['forum_flags'] & FORUM_FLAG_PRUNE_POLL) ? true : false,  					'S_PRUNE_ANNOUNCE'			=> ($forum_data['forum_flags'] & FORUM_FLAG_PRUNE_ANNOUNCE) ? true : false, @@ -696,9 +705,18 @@ class acp_forums  				*					ensure to update the template variables  				*					S_ERROR and ERROR_MSG to display it  				* @var	array	template_data	Array with new forum data -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/ -				$vars = array('action', 'update', 'forum_id', 'row', 'forum_data', 'parents_list', 'errors', 'template_data'); +				$vars = array( +					'action', +					'update', +					'forum_id', +					'row', +					'forum_data', +					'parents_list', +					'errors', +					'template_data', +				);  				extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_display_form', compact($vars)));  				$template->assign_vars($template_data); @@ -926,7 +944,7 @@ class acp_forums  	*/  	function update_forum_data(&$forum_data)  	{ -		global $db, $user, $cache, $phpbb_root_path, $phpbb_dispatcher; +		global $db, $user, $cache, $phpbb_root_path, $phpbb_container, $phpbb_dispatcher;  		$errors = array(); @@ -937,7 +955,7 @@ class acp_forums  		* @var	array	forum_data	Array with new forum data  		* @var	array	errors		Array of errors, should be strings and not  		*							language key. -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('forum_data', 'errors');  		extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_validate_data', compact($vars))); @@ -1030,7 +1048,10 @@ class acp_forums  		}  		else  		{ -			$forum_data_sql['forum_password'] = phpbb_hash($forum_data_sql['forum_password']); +			// Instantiate passwords manager +			$passwords_manager = $phpbb_container->get('passwords.manager'); + +			$forum_data_sql['forum_password'] = $passwords_manager->hash($forum_data_sql['forum_password']);  		}  		unset($forum_data_sql['forum_password_unset']); @@ -1042,7 +1063,7 @@ class acp_forums  		* @var	array	forum_data_sql	Array with data we are going to update  		*						If forum_data_sql[forum_id] is set, we update  		*						that forum, otherwise a new one is created. -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('forum_data', 'forum_data_sql');  		extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_update_data_before', compact($vars))); @@ -1335,7 +1356,7 @@ class acp_forums  		*								ensure to set forum_data_sql[forum_id]  		* @var	array	errors		Array of errors, should be strings and not  		*							language key. -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('forum_data', 'forum_data_sql', 'is_new_forum', 'errors');  		extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_update_data_after', compact($vars))); @@ -1373,7 +1394,7 @@ class acp_forums  		* @var	int		to_id		If of the new parent forum  		* @var	array	errors		Array of errors, should be strings and not  		*							language key. -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('from_id', 'to_id', 'errors');  		extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_move_children', compact($vars))); @@ -1477,7 +1498,7 @@ class acp_forums  		* @var	array	errors		Array of errors, should be strings and not  		*							language key. If this array is not empty,  		*							The content will not be moved. -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('from_id', 'to_id', 'sync', 'errors');  		extract($phpbb_dispatcher->trigger_event('core.acp_manage_forums_move_content', compact($vars))); diff --git a/phpBB/includes/acp/acp_groups.php b/phpBB/includes/acp/acp_groups.php index ec78e0b32b..c52289aa72 100644 --- a/phpBB/includes/acp/acp_groups.php +++ b/phpBB/includes/acp/acp_groups.php @@ -53,7 +53,6 @@ class acp_groups  		$start		= request_var('start', 0);  		$update		= (isset($_POST['update'])) ? true : false; -  		// Clear some vars  		$group_row = array(); @@ -140,7 +139,7 @@ class acp_groups  				if (confirm_box(true))  				{  					$group_name = ($group_row['group_type'] == GROUP_SPECIAL) ? $user->lang['G_' . $group_row['group_name']] : $group_row['group_name']; -					group_user_attributes('default', $group_id, $mark_ary, false, $group_name, $group_row);	 +					group_user_attributes('default', $group_id, $mark_ary, false, $group_name, $group_row);  					trigger_error($user->lang['GROUP_DEFS_UPDATED'] . adm_back_link($this->u_action . '&action=list&g=' . $group_id));  				}  				else @@ -331,7 +330,6 @@ class acp_groups  					}  				} -  				// Did we submit?  				if ($update)  				{ @@ -727,7 +725,6 @@ class acp_groups  					'S_GROUP_SPECIAL'	=> ($group_row['group_type'] == GROUP_SPECIAL) ? true : false,  					'S_ACTION_OPTIONS'	=> $s_action_options, -					'S_ON_PAGE'		=> $pagination->on_page($base_url, $total_members, $config['topics_per_page'], $start),  					'GROUP_NAME'	=> ($group_row['group_type'] == GROUP_SPECIAL) ? $user->lang['G_' . $group_row['group_name']] : $group_row['group_name'],  					'U_ACTION'			=> $this->u_action . "&g=$group_id", diff --git a/phpBB/includes/acp/acp_icons.php b/phpBB/includes/acp/acp_icons.php index f9295e2b47..9c7acf506c 100644 --- a/phpBB/includes/acp/acp_icons.php +++ b/phpBB/includes/acp/acp_icons.php @@ -203,7 +203,6 @@ class acp_icons  						unset($_images[$row[$fields . '_url']]);  					} -  					if ($row[$fields . '_id'] == $icon_id)  					{  						$after = true; @@ -781,7 +780,7 @@ class acp_icons  					$cache->destroy('_icons');  					$cache->destroy('sql', $table); -					 +  					if ($request->is_ajax())  					{  						$json_response = new \phpbb\json_response; @@ -832,9 +831,10 @@ class acp_icons  					WHERE {$fields}_order = $switch_order_id  						AND {$fields}_id <> $icon_id";  				$db->sql_query($sql); +				$move_executed = (bool) $db->sql_affectedrows();  				// Only update the other entry too if the previous entry got updated -				if ($db->sql_affectedrows()) +				if ($move_executed)  				{  					$sql = "UPDATE $table  						SET {$fields}_order = $switch_order_id @@ -846,6 +846,14 @@ class acp_icons  				$cache->destroy('_icons');  				$cache->destroy('sql', $table); +				if ($request->is_ajax()) +				{ +					$json_response = new \phpbb\json_response; +					$json_response->send(array( +						'success'	=> $move_executed, +					)); +				} +  			break;  		} diff --git a/phpBB/includes/acp/acp_inactive.php b/phpBB/includes/acp/acp_inactive.php index 305ba9ac69..140815f06a 100644 --- a/phpBB/includes/acp/acp_inactive.php +++ b/phpBB/includes/acp/acp_inactive.php @@ -295,7 +295,6 @@ class acp_inactive  			'S_LIMIT_DAYS'	=> $s_limit_days,  			'S_SORT_KEY'	=> $s_sort_key,  			'S_SORT_DIR'	=> $s_sort_dir, -			'S_ON_PAGE'		=> $pagination->on_page($base_url, $inactive_count, $per_page, $start),  			'USERS_PER_PAGE'	=> $per_page,  			'U_ACTION'		=> $this->u_action . "&$u_sort_param&users_per_page=$per_page&start=$start", diff --git a/phpBB/includes/acp/acp_logs.php b/phpBB/includes/acp/acp_logs.php index 0ffea2737b..2c795bb77b 100644 --- a/phpBB/includes/acp/acp_logs.php +++ b/phpBB/includes/acp/acp_logs.php @@ -118,7 +118,7 @@ class acp_logs  		if ($mode == 'mod')  		{  			$forum_box = '<option value="0">' . $user->lang['ALL_FORUMS'] . '</option>' . make_forum_select($forum_id); -			 +  			$template->assign_vars(array(  				'S_SHOW_FORUMS'			=> true,  				'S_FORUM_BOX'			=> $forum_box) @@ -138,8 +138,6 @@ class acp_logs  			'L_EXPLAIN'		=> $l_title_explain,  			'U_ACTION'		=> $this->u_action . "&$u_sort_param$keywords_param&start=$start", -			'S_ON_PAGE'		=> $pagination->on_page($base_url, $log_count, $config['topics_per_page'], $start), -  			'S_LIMIT_DAYS'	=> $s_limit_days,  			'S_SORT_KEY'	=> $s_sort_key,  			'S_SORT_DIR'	=> $s_sort_dir, @@ -151,7 +149,7 @@ class acp_logs  		foreach ($log_data as $row)  		{  			$data = array(); -				 +  			$checks = array('viewtopic', 'viewlogs', 'viewforum');  			foreach ($checks as $check)  			{ diff --git a/phpBB/includes/acp/acp_main.php b/phpBB/includes/acp/acp_main.php index f01cba0bcc..4512905539 100644 --- a/phpBB/includes/acp/acp_main.php +++ b/phpBB/includes/acp/acp_main.php @@ -25,7 +25,7 @@ class acp_main  	function main($id, $mode)  	{  		global $config, $db, $cache, $user, $auth, $template, $request; -		global $phpbb_root_path, $phpbb_admin_path, $phpEx; +		global $phpbb_root_path, $phpbb_admin_path, $phpEx, $phpbb_container;  		// Show restore permissions notice  		if ($user->data['user_perm_from'] && $auth->acl_get('a_switchperm')) @@ -40,11 +40,7 @@ class acp_main  			$user_row = $db->sql_fetchrow($result);  			$db->sql_freeresult($result); -			$perm_from = '<strong' . (($user_row['user_colour']) ? ' style="color: #' . $user_row['user_colour'] . '">' : '>'); -			$perm_from .= ($user_row['user_id'] != ANONYMOUS) ? '<a href="' . append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $user_row['user_id']) . '">' : ''; -			$perm_from .= $user_row['username']; -			$perm_from .= ($user_row['user_id'] != ANONYMOUS) ? '</a>' : ''; -			$perm_from .= '</strong>'; +			$perm_from = get_username_string('full', $user_row['user_id'], $user_row['username'], $user_row['user_colour']);  			$template->assign_vars(array(  				'S_RESTORE_PERMISSIONS'		=> true, @@ -432,17 +428,19 @@ class acp_main  			));  		} -		$latest_version_info = false; -		if (($latest_version_info = obtain_latest_version_info(request_var('versioncheck_force', false))) === false) +		$version_helper = $phpbb_container->get('version_helper'); +		try  		{ -			$template->assign_var('S_VERSIONCHECK_FAIL', true); +			$recheck = $request->variable('versioncheck_force', false); +			$updates_available = $version_helper->get_suggested_updates($recheck); + +			$template->assign_var('S_VERSION_UP_TO_DATE', empty($updates_available));  		} -		else +		catch (\RuntimeException $e)  		{ -			$latest_version_info = explode("\n", $latest_version_info); -  			$template->assign_vars(array( -				'S_VERSION_UP_TO_DATE'	=> phpbb_version_compare(trim($latest_version_info[0]), $config['version'], '<='), +				'S_VERSIONCHECK_FAIL'		=> true, +				'VERSIONCHECK_FAIL_REASON'	=> ($e->getMessage() !== $user->lang('VERSIONCHECK_FAIL')) ? $e->getMessage() : '',  			));  		} diff --git a/phpBB/includes/acp/acp_modules.php b/phpBB/includes/acp/acp_modules.php index 100e33044b..c124377ba9 100644 --- a/phpBB/includes/acp/acp_modules.php +++ b/phpBB/includes/acp/acp_modules.php @@ -170,6 +170,14 @@ class acp_modules  					$this->remove_cache_file();  				} +				if ($request->is_ajax()) +				{ +					$json_response = new \phpbb\json_response; +					$json_response->send(array( +						'success'	=> ($move_module_name !== false), +					)); +				} +  			break;  			case 'quickadd': diff --git a/phpBB/includes/acp/acp_permission_roles.php b/phpBB/includes/acp/acp_permission_roles.php index 17e48d6576..812e22a025 100644 --- a/phpBB/includes/acp/acp_permission_roles.php +++ b/phpBB/includes/acp/acp_permission_roles.php @@ -27,6 +27,7 @@ class acp_permission_roles  	{  		global $db, $user, $auth, $template, $cache, $phpbb_container;  		global $config, $phpbb_root_path, $phpbb_admin_path, $phpEx; +		global $request;  		include_once($phpbb_root_path . 'includes/functions_user.' . $phpEx);  		include_once($phpbb_root_path . 'includes/acp/auth.' . $phpEx); @@ -46,6 +47,11 @@ class acp_permission_roles  		$form_name = 'acp_permissions';  		add_form_key($form_name); +		if (!$role_id && in_array($action, array('remove', 'edit', 'move_up', 'move_down'))) +		{ +			trigger_error($user->lang['NO_ROLE_SELECTED'] . adm_back_link($this->u_action), E_USER_WARNING); +		} +  		switch ($mode)  		{  			case 'admin_roles': @@ -85,11 +91,6 @@ class acp_permission_roles  			{  				case 'remove': -					if (!$role_id) -					{ -						trigger_error($user->lang['NO_ROLE_SELECTED'] . adm_back_link($this->u_action), E_USER_WARNING); -					} -  					$sql = 'SELECT *  						FROM ' . ACL_ROLES_TABLE . '  						WHERE role_id = ' . $role_id; @@ -123,10 +124,6 @@ class acp_permission_roles  				break;  				case 'edit': -					if (!$role_id) -					{ -						trigger_error($user->lang['NO_ROLE_SELECTED'] . adm_back_link($this->u_action), E_USER_WARNING); -					}  					// Get role we edit  					$sql = 'SELECT * @@ -274,11 +271,6 @@ class acp_permission_roles  				if ($action == 'edit')  				{ -					if (!$role_id) -					{ -						trigger_error($user->lang['NO_ROLE_SELECTED'] . adm_back_link($this->u_action), E_USER_WARNING); -					} -					  					$sql = 'SELECT *  						FROM ' . ACL_ROLES_TABLE . '  						WHERE role_id = ' . $role_id; @@ -366,7 +358,18 @@ class acp_permission_roles  			case 'move_up':  			case 'move_down': -				$order = request_var('order', 0); +				$sql = 'SELECT role_order +					FROM ' . ACL_ROLES_TABLE . " +					WHERE role_id = $role_id"; +				$result = $db->sql_query($sql); +				$order = $db->sql_fetchfield('role_order'); +				$db->sql_freeresult($result); + +				if ($order === false || ($order == 0 && $action == 'move_up')) +				{ +					break; +				} +				$order = (int) $order;  				$order_total = $order * 2 + (($action == 'move_up') ? -1 : 1);  				$sql = 'UPDATE ' . ACL_ROLES_TABLE . ' @@ -375,6 +378,14 @@ class acp_permission_roles  						AND role_order IN ($order, " . (($action == 'move_up') ? $order - 1 : $order + 1) . ')';  				$db->sql_query($sql); +				if ($request->is_ajax()) +				{ +					$json_response = new \phpbb\json_response; +					$json_response->send(array( +						'success'	=> (bool) $db->sql_affectedrows(), +					)); +				} +  			break;  		} @@ -421,8 +432,8 @@ class acp_permission_roles  				'U_EDIT'			=> $this->u_action . '&action=edit&role_id=' . $row['role_id'],  				'U_REMOVE'			=> $this->u_action . '&action=remove&role_id=' . $row['role_id'], -				'U_MOVE_UP'			=> $this->u_action . '&action=move_up&order=' . $row['role_order'], -				'U_MOVE_DOWN'		=> $this->u_action . '&action=move_down&order=' . $row['role_order'], +				'U_MOVE_UP'			=> $this->u_action . '&action=move_up&role_id=' . $row['role_id'], +				'U_MOVE_DOWN'		=> $this->u_action . '&action=move_down&role_id=' . $row['role_id'],  				'U_DISPLAY_ITEMS'	=> ($row['role_id'] == $display_item) ? '' : $this->u_action . '&display_item=' . $row['role_id'] . '#assigned_to')  			); diff --git a/phpBB/includes/acp/acp_permissions.php b/phpBB/includes/acp/acp_permissions.php index e7dc03db5c..1924e2075b 100644 --- a/phpBB/includes/acp/acp_permissions.php +++ b/phpBB/includes/acp/acp_permissions.php @@ -330,7 +330,6 @@ class acp_permissions  			}  		} -  		// Setting permissions screen  		$s_hidden_fields = build_hidden_fields(array(  			'user_id'		=> $user_id, diff --git a/phpBB/includes/acp/acp_php_info.php b/phpBB/includes/acp/acp_php_info.php index 125b77529f..13d2fd770a 100644 --- a/phpBB/includes/acp/acp_php_info.php +++ b/phpBB/includes/acp/acp_php_info.php @@ -81,7 +81,7 @@ class acp_php_info  		$template->assign_var('PHPINFO', $output);  	} -	 +  	function remove_spaces($matches)  	{  		return '<a name="' . str_replace(' ', '_', $matches[1]) . '">'; diff --git a/phpBB/includes/acp/acp_profile.php b/phpBB/includes/acp/acp_profile.php index 4e8145009f..b42b852fba 100644 --- a/phpBB/includes/acp/acp_profile.php +++ b/phpBB/includes/acp/acp_profile.php @@ -24,37 +24,34 @@ class acp_profile  	var $edit_lang_id;  	var $lang_defs; +	protected $type_collection;  	function main($id, $mode)  	{  		global $config, $db, $user, $auth, $template, $cache;  		global $phpbb_root_path, $phpbb_admin_path, $phpEx, $table_prefix; -		global $request; +		global $request, $phpbb_container;  		include($phpbb_root_path . 'includes/functions_posting.' . $phpEx);  		include($phpbb_root_path . 'includes/functions_user.' . $phpEx); -		include($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx);  		$user->add_lang(array('ucp', 'acp/profile'));  		$this->tpl_name = 'acp_profile';  		$this->page_title = 'ACP_CUSTOM_PROFILE_FIELDS'; +		$field_id = $request->variable('field_id', 0);  		$action = (isset($_POST['create'])) ? 'create' : request_var('action', '');  		$error = array();  		$s_hidden_fields = ''; -		// Define some default values for each field type -		$default_values = array( -			FIELD_STRING	=> array('field_length' => 10, 'field_minlen' => 0, 'field_maxlen' => 20, 'field_validation' => '.*', 'field_novalue' => '', 'field_default_value' => ''), -			FIELD_TEXT		=> array('field_length' => '5|80', 'field_minlen' => 0, 'field_maxlen' => 1000, 'field_validation' => '.*', 'field_novalue' => '', 'field_default_value' => ''), -			FIELD_INT		=> array('field_length' => 5, 'field_minlen' => 0, 'field_maxlen' => 100, 'field_validation' => '', 'field_novalue' => 0, 'field_default_value' => 0), -			FIELD_DATE		=> array('field_length' => 10, 'field_minlen' => 10, 'field_maxlen' => 10, 'field_validation' => '', 'field_novalue' => ' 0- 0-   0', 'field_default_value' => ' 0- 0-   0'), -			FIELD_BOOL		=> array('field_length' => 1, 'field_minlen' => 0, 'field_maxlen' => 0, 'field_validation' => '', 'field_novalue' => 0, 'field_default_value' => 0), -			FIELD_DROPDOWN	=> array('field_length' => 0, 'field_minlen' => 0, 'field_maxlen' => 5, 'field_validation' => '', 'field_novalue' => 0, 'field_default_value' => 0), -		); +		if (!$field_id && in_array($action, array('delete','activate', 'deactivate', 'move_up', 'move_down', 'edit'))) +		{ +			trigger_error($user->lang['NO_FIELD_ID'] . adm_back_link($this->u_action), E_USER_WARNING); +		} -		$cp = new custom_profile_admin(); +		$cp = $phpbb_container->get('profilefields.manager'); +		$this->type_collection = $phpbb_container->get('profilefields.type_collection');  		// Build Language array  		// Based on this, we decide which elements need to be edited later and which language items are missing @@ -88,22 +85,16 @@ class acp_profile  		// Have some fields been defined?  		if (isset($this->lang_defs['entry']))  		{ -			foreach ($this->lang_defs['entry'] as $field_id => $field_ary) +			foreach ($this->lang_defs['entry'] as $field_ident => $field_ary)  			{  				// Fill an array with the languages that are missing for each field -				$this->lang_defs['diff'][$field_id] = array_diff(array_values($this->lang_defs['iso']), $field_ary); +				$this->lang_defs['diff'][$field_ident] = array_diff(array_values($this->lang_defs['iso']), $field_ary);  			}  		}  		switch ($action)  		{  			case 'delete': -				$field_id = request_var('field_id', 0); - -				if (!$field_id) -				{ -					trigger_error($user->lang['NO_FIELD_ID'] . adm_back_link($this->u_action), E_USER_WARNING); -				}  				if (confirm_box(true))  				{ @@ -210,12 +201,6 @@ class acp_profile  			break;  			case 'activate': -				$field_id = request_var('field_id', 0); - -				if (!$field_id) -				{ -					trigger_error($user->lang['NO_FIELD_ID'] . adm_back_link($this->u_action), E_USER_WARNING); -				}  				$sql = 'SELECT lang_id  					FROM ' . LANG_TABLE . " @@ -256,12 +241,6 @@ class acp_profile  			break;  			case 'deactivate': -				$field_id = request_var('field_id', 0); - -				if (!$field_id) -				{ -					trigger_error($user->lang['NO_FIELD_ID'] . adm_back_link($this->u_action), E_USER_WARNING); -				}  				$sql = 'UPDATE ' . PROFILE_FIELDS_TABLE . "  					SET field_active = 0 @@ -291,7 +270,19 @@ class acp_profile  			case 'move_up':  			case 'move_down': -				$field_order = request_var('order', 0); + +				$sql = 'SELECT field_order +					FROM ' . PROFILE_FIELDS_TABLE . " +					WHERE field_id = $field_id"; +				$result = $db->sql_query($sql); +				$field_order = $db->sql_fetchfield('field_order'); +				$db->sql_freeresult($result); + +				if ($field_order === false || ($field_order == 0 && $action == 'move_up')) +				{ +					break; +				} +				$field_order = (int) $field_order;  				$order_total = $field_order * 2 + (($action == 'move_up') ? -1 : 1);  				$sql = 'UPDATE ' . PROFILE_FIELDS_TABLE . " @@ -299,12 +290,19 @@ class acp_profile  					WHERE field_order IN ($field_order, " . (($action == 'move_up') ? $field_order - 1 : $field_order + 1) . ')';  				$db->sql_query($sql); +				if ($request->is_ajax()) +				{ +					$json_response = new \phpbb\json_response; +					$json_response->send(array( +						'success'	=> (bool) $db->sql_affectedrows(), +					)); +				} +  			break;  			case 'create':  			case 'edit': -				$field_id = request_var('field_id', 0);  				$step = request_var('step', 1);  				$submit = (isset($_REQUEST['next']) || isset($_REQUEST['prev'])) ? true : false; @@ -316,11 +314,6 @@ class acp_profile  				// We are editing... we need to grab basic things  				if ($action == 'edit')  				{ -					if (!$field_id) -					{ -						trigger_error($user->lang['NO_FIELD_ID'] . adm_back_link($this->u_action), E_USER_WARNING); -					} -  					$sql = 'SELECT l.*, f.*  						FROM ' . PROFILE_LANG_TABLE . ' l, ' . PROFILE_FIELDS_TABLE . ' f  						WHERE l.lang_id = ' . $this->edit_lang_id . " @@ -350,6 +343,7 @@ class acp_profile  						$this->edit_lang_id = $field_row['lang_id'];  					}  					$field_type = $field_row['field_type']; +					$profile_field = $this->type_collection[$field_type];  					// Get language entries  					$sql = 'SELECT * @@ -373,14 +367,15 @@ class acp_profile  					// We are adding a new field, define basic params  					$lang_options = $field_row = array(); -					$field_type = request_var('field_type', 0); +					$field_type = request_var('field_type', ''); -					if (!$field_type) +					if (!isset($this->type_collection[$field_type]))  					{  						trigger_error($user->lang['NO_FIELD_TYPE'] . adm_back_link($this->u_action), E_USER_WARNING);  					} -					$field_row = array_merge($default_values[$field_type], array( +					$profile_field = $this->type_collection[$field_type]; +					$field_row = array_merge($profile_field->get_default_option_values(), array(  						'field_ident'		=> str_replace(' ', '_', utf8_clean_string(request_var('field_ident', '', true))),  						'field_required'	=> 0,  						'field_show_novalue'=> 0, @@ -390,6 +385,10 @@ class acp_profile  						'field_show_on_reg'	=> 0,  						'field_show_on_pm'	=> 0,  						'field_show_on_vt'	=> 0, +						'field_show_on_ml'	=> 0, +						'field_is_contact'	=> 0, +						'field_contact_desc'=> '', +						'field_contact_url'	=> '',  						'lang_name'			=> utf8_normalize_nfc(request_var('field_ident', '', true)),  						'lang_explain'		=> '',  						'lang_default_value'=> '') @@ -400,28 +399,11 @@ class acp_profile  				// $exclude contains the data we gather in each step  				$exclude = array( -					1	=> array('field_ident', 'lang_name', 'lang_explain', 'field_option_none', 'field_show_on_reg', 'field_show_on_pm', 'field_show_on_vt', 'field_required', 'field_show_novalue', 'field_hide', 'field_show_profile', 'field_no_view'), +					1	=> array('field_ident', 'lang_name', 'lang_explain', 'field_option_none', 'field_show_on_reg', 'field_show_on_pm', 'field_show_on_vt', 'field_show_on_ml', 'field_required', 'field_show_novalue', 'field_hide', 'field_show_profile', 'field_no_view', 'field_is_contact', 'field_contact_desc', 'field_contact_url'),  					2	=> array('field_length', 'field_maxlen', 'field_minlen', 'field_validation', 'field_novalue', 'field_default_value'),  					3	=> array('l_lang_name', 'l_lang_explain', 'l_lang_default_value', 'l_lang_options')  				); -				// Text-based fields require the lang_default_value to be excluded -				if ($field_type == FIELD_STRING || $field_type == FIELD_TEXT) -				{ -					$exclude[1][] = 'lang_default_value'; -				} - -				// option-specific fields require lang_options to be excluded -				if ($field_type == FIELD_BOOL || $field_type == FIELD_DROPDOWN) -				{ -					$exclude[1][] = 'lang_options'; -				} - -				$cp->vars['field_ident']		= ($action == 'create' && $step == 1) ? utf8_clean_string(request_var('field_ident', $field_row['field_ident'], true)) : request_var('field_ident', $field_row['field_ident']); -				$cp->vars['lang_name']			= utf8_normalize_nfc(request_var('lang_name', $field_row['lang_name'], true)); -				$cp->vars['lang_explain']		= utf8_normalize_nfc(request_var('lang_explain', $field_row['lang_explain'], true)); -				$cp->vars['lang_default_value']	= utf8_normalize_nfc(request_var('lang_default_value', $field_row['lang_default_value'], true)); -  				// Visibility Options...  				$visibility_ary = array(  					'field_required', @@ -429,27 +411,28 @@ class acp_profile  					'field_show_on_reg',  					'field_show_on_pm',  					'field_show_on_vt', +					'field_show_on_ml',  					'field_show_profile',  					'field_hide', +					'field_is_contact',  				); -				foreach ($visibility_ary as $val) -				{ -					$cp->vars[$val] = ($submit || $save) ? request_var($val, 0) : $field_row[$val]; -				} +				$options = $profile_field->prepare_options_form($exclude, $visibility_ary); -				$cp->vars['field_no_view'] = request_var('field_no_view', (int) $field_row['field_no_view']); +				$cp->vars['field_ident']		= ($action == 'create' && $step == 1) ? utf8_clean_string(request_var('field_ident', $field_row['field_ident'], true)) : request_var('field_ident', $field_row['field_ident']); +				$cp->vars['lang_name']			= $request->variable('lang_name', $field_row['lang_name'], true); +				$cp->vars['lang_explain']		= $request->variable('lang_explain', $field_row['lang_explain'], true); +				$cp->vars['lang_default_value']	= $request->variable('lang_default_value', $field_row['lang_default_value'], true); +				$cp->vars['field_contact_desc']	= $request->variable('field_contact_desc', $field_row['field_contact_desc'], true); +				$cp->vars['field_contact_url']	= $request->variable('field_contact_url', $field_row['field_contact_url'], true); -				// A boolean field expects an array as the lang options -				if ($field_type == FIELD_BOOL) -				{ -					$options = utf8_normalize_nfc(request_var('lang_options', array(''), true)); -				} -				else +				foreach ($visibility_ary as $val)  				{ -					$options = utf8_normalize_nfc(request_var('lang_options', '', true)); +					$cp->vars[$val] = ($submit || $save) ? $request->variable($val, 0) : $field_row[$val];  				} +				$cp->vars['field_no_view'] = $request->variable('field_no_view', (int) $field_row['field_no_view']); +  				// If the user has submitted a form with options (i.e. dropdown field)  				if ($options)  				{ @@ -477,93 +460,9 @@ class acp_profile  				{  					$var = utf8_normalize_nfc(request_var($key, $field_row[$key], true)); -					// Manipulate the intended variables a little bit if needed -					if ($field_type == FIELD_DROPDOWN && $key == 'field_maxlen') -					{ -						// Get the number of options if this key is 'field_maxlen' -						$var = sizeof(explode("\n", utf8_normalize_nfc(request_var('lang_options', '', true)))); -					} -					else if ($field_type == FIELD_TEXT && $key == 'field_length') -					{ -						if (isset($_REQUEST['rows'])) -						{ -							$cp->vars['rows'] = request_var('rows', 0); -							$cp->vars['columns'] = request_var('columns', 0); -							$var = $cp->vars['rows'] . '|' . $cp->vars['columns']; -						} -						else -						{ -							$row_col = explode('|', $var); -							$cp->vars['rows'] = $row_col[0]; -							$cp->vars['columns'] = $row_col[1]; -						} -					} -					else if ($field_type == FIELD_DATE && $key == 'field_default_value') -					{ -						$always_now = request_var('always_now', -1); - -						if ($always_now == 1 || ($always_now === -1 && $var == 'now')) -						{ -							$now = getdate(); - -							$cp->vars['field_default_value_day'] = $now['mday']; -							$cp->vars['field_default_value_month'] = $now['mon']; -							$cp->vars['field_default_value_year'] = $now['year']; -							$var = 'now'; -							$request->overwrite('field_default_value', $var, \phpbb\request\request_interface::POST); -						} -						else -						{ -							if (isset($_REQUEST['field_default_value_day'])) -							{ -								$cp->vars['field_default_value_day'] = request_var('field_default_value_day', 0); -								$cp->vars['field_default_value_month'] = request_var('field_default_value_month', 0); -								$cp->vars['field_default_value_year'] = request_var('field_default_value_year', 0); -								$var = sprintf('%2d-%2d-%4d', $cp->vars['field_default_value_day'], $cp->vars['field_default_value_month'], $cp->vars['field_default_value_year']); -								$request->overwrite('field_default_value', $var, \phpbb\request\request_interface::POST); -							} -							else -							{ -								list($cp->vars['field_default_value_day'], $cp->vars['field_default_value_month'], $cp->vars['field_default_value_year']) = explode('-', $var); -							} -						} -					} -					else if ($field_type == FIELD_BOOL && $key == 'field_default_value') -					{ -						// 'field_length' == 1 defines radio buttons. Possible values are 1 or 2 only. -						// 'field_length' == 2 defines checkbox. Possible values are 0 or 1 only. -						// If we switch the type on step 2, we have to adjust field value. -						// 1 is a common value for the checkbox and radio buttons. - -						// Adjust unchecked checkbox value. -						// If we return or save settings from 2nd/3rd page -						// and the checkbox is unchecked, set the value to 0. -						if (isset($_REQUEST['step']) && !isset($_REQUEST[$key])) -						{ -							$var = 0; -						} - -						// If we switch to the checkbox type but former radio buttons value was 2, -						// which is not the case for the checkbox, set it to 0 (unchecked). -						if ($cp->vars['field_length'] == 2 && $var == 2) -						{ -							$var = 0; -						} -						// If we switch to the radio buttons but the former checkbox value was 0, -						// which is not the case for the radio buttons, set it to 0. -						else if ($cp->vars['field_length'] == 1 && $var == 0) -						{ -							$var = 2; -						} -					} -					else if ($field_type == FIELD_INT && $key == 'field_default_value') -					{ -						// Permit an empty string -						if ($action == 'create' && request_var('field_default_value', '') === '') -						{ -							$var = ''; -						} -					} +					$field_data = $cp->vars; +					$var = $profile_field->get_excluded_options($key, $action, $var, $field_data, 2); +					$cp->vars = $field_data;  					$cp->vars[$key] = $var;  				} @@ -586,7 +485,6 @@ class acp_profile  					}  					$db->sql_freeresult($result); -  					$sql = 'SELECT lang_id, lang_name, lang_explain, lang_default_value  						FROM ' . PROFILE_LANG_TABLE . '  						WHERE lang_id <> ' . $this->edit_lang_id . " @@ -612,18 +510,10 @@ class acp_profile  					{  						$cp->vars[$key] = $$key;  					} -					else if ($key == 'l_lang_options' && $field_type == FIELD_BOOL) -					{ -						$cp->vars[$key] = utf8_normalize_nfc(request_var($key, array(0 => array('')), true)); -					} -					else if ($key == 'l_lang_options' && is_array($cp->vars[$key])) -					{ -						foreach ($cp->vars[$key] as $lang_id => $options) -						{ -							$cp->vars[$key][$lang_id] = explode("\n", $options); -						} -					} +					$field_data = $cp->vars; +					$var = $profile_field->get_excluded_options($key, $action, $var, $field_data, 3); +					$cp->vars = $field_data;  				}  				// Check for general issues in every step @@ -650,15 +540,7 @@ class acp_profile  						$error[] = $user->lang['EMPTY_USER_FIELD_NAME'];  					} -					if ($field_type == FIELD_DROPDOWN && !sizeof($cp->vars['lang_options'])) -					{ -						$error[] = $user->lang['NO_FIELD_ENTRIES']; -					} - -					if ($field_type == FIELD_BOOL && (empty($cp->vars['lang_options'][0]) || empty($cp->vars['lang_options'][1]))) -					{ -						$error[] = $user->lang['NO_FIELD_ENTRIES']; -					} +					$error = $profile_field->validate_options_on_submit($error, $cp->vars);  					// Check for already existing field ident  					if ($action != 'edit') @@ -695,54 +577,16 @@ class acp_profile  					$_new_key_ary = array(); +					$field_data = $cp->vars;  					foreach ($key_ary as $key)  					{ -						if ($field_type == FIELD_TEXT && $key == 'field_length' && isset($_REQUEST['rows'])) -						{ -							$cp->vars['rows'] = request_var('rows', 0); -							$cp->vars['columns'] = request_var('columns', 0); -							$_new_key_ary[$key] = $cp->vars['rows'] . '|' . $cp->vars['columns']; -						} -						else if ($field_type == FIELD_DATE && $key == 'field_default_value') -						{ -							$always_now = request_var('always_now', 0); - -							if ($always_now) -							{ -								$_new_key_ary[$key] = 'now'; -							} -							else if (isset($_REQUEST['field_default_value_day'])) -							{ -								$cp->vars['field_default_value_day'] = request_var('field_default_value_day', 0); -								$cp->vars['field_default_value_month'] = request_var('field_default_value_month', 0); -								$cp->vars['field_default_value_year'] = request_var('field_default_value_year', 0); -								$_new_key_ary[$key]  = sprintf('%2d-%2d-%4d', $cp->vars['field_default_value_day'], $cp->vars['field_default_value_month'], $cp->vars['field_default_value_year']); -							} -						} -						else if ($field_type == FIELD_BOOL && $key == 'l_lang_options' && isset($_REQUEST['l_lang_options'])) -						{ -							$_new_key_ary[$key] = utf8_normalize_nfc(request_var($key, array(array('')), true)); -						} -						else if ($field_type == FIELD_BOOL && $key == 'field_default_value') -						{ -							$_new_key_ary[$key] =  request_var($key, $cp->vars[$key]); -						} -						else +						$var = $profile_field->prepare_hidden_fields($step, $key, $action, $field_data); +						if ($var !== null)  						{ -							if (!isset($_REQUEST[$key])) -							{ -								$var = false; -							} -							else if ($key == 'field_ident' && isset($cp->vars[$key])) -							{ -								$_new_key_ary[$key]= $cp->vars[$key]; -							} -							else -							{ -								$_new_key_ary[$key] = ($field_type == FIELD_BOOL && $key == 'lang_options') ? utf8_normalize_nfc(request_var($key, array(''), true)) : utf8_normalize_nfc(request_var($key, '', true)); -							} +							$_new_key_ary[$key] = $profile_field->prepare_hidden_fields($step, $key, $action, $field_data);  						}  					} +					$cp->vars = $field_data;  					$s_hidden_fields .= build_hidden_fields($_new_key_ary);  				} @@ -776,67 +620,34 @@ class acp_profile  				{  					// Create basic options - only small differences between field types  					case 1: - -						// Build common create options -						$template->assign_vars(array( +						$template_vars = array(  							'S_STEP_ONE'		=> true,  							'S_FIELD_REQUIRED'	=> ($cp->vars['field_required']) ? true : false,  							'S_FIELD_SHOW_NOVALUE'=> ($cp->vars['field_show_novalue']) ? true : false,  							'S_SHOW_ON_REG'		=> ($cp->vars['field_show_on_reg']) ? true : false,  							'S_SHOW_ON_PM'		=> ($cp->vars['field_show_on_pm']) ? true : false,  							'S_SHOW_ON_VT'		=> ($cp->vars['field_show_on_vt']) ? true : false, +							'S_SHOW_ON_MEMBERLIST'=> ($cp->vars['field_show_on_ml']) ? true : false,  							'S_FIELD_HIDE'		=> ($cp->vars['field_hide']) ? true : false,  							'S_SHOW_PROFILE'	=> ($cp->vars['field_show_profile']) ? true : false,  							'S_FIELD_NO_VIEW'	=> ($cp->vars['field_no_view']) ? true : false, +							'S_FIELD_CONTACT'	=> $cp->vars['field_is_contact'], +							'FIELD_CONTACT_DESC'=> $cp->vars['field_contact_desc'], +							'FIELD_CONTACT_URL'	=> $cp->vars['field_contact_url'],  							'L_LANG_SPECIFIC'	=> sprintf($user->lang['LANG_SPECIFIC_OPTIONS'], $config['default_lang']), -							'FIELD_TYPE'		=> $user->lang['FIELD_' . strtoupper($cp->profile_types[$field_type])], +							'FIELD_TYPE'		=> $profile_field->get_name(),  							'FIELD_IDENT'		=> $cp->vars['field_ident'],  							'LANG_NAME'			=> $cp->vars['lang_name'], -							'LANG_EXPLAIN'		=> $cp->vars['lang_explain']) +							'LANG_EXPLAIN'		=> $cp->vars['lang_explain'],  						); -						// String and Text needs to set default values here... -						if ($field_type == FIELD_STRING || $field_type == FIELD_TEXT) -						{ -							$template->assign_vars(array( -								'S_TEXT'		=> ($field_type == FIELD_TEXT) ? true : false, -								'S_STRING'		=> ($field_type == FIELD_STRING) ? true : false, - -								'L_DEFAULT_VALUE_EXPLAIN'	=> $user->lang[strtoupper($cp->profile_types[$field_type]) . '_DEFAULT_VALUE_EXPLAIN'], -								'LANG_DEFAULT_VALUE'		=> $cp->vars['lang_default_value']) -							); -						} - -						if ($field_type == FIELD_BOOL || $field_type == FIELD_DROPDOWN) -						{ -							// Initialize these array elements if we are creating a new field -							if (!sizeof($cp->vars['lang_options'])) -							{ -								if ($field_type == FIELD_BOOL) -								{ -									// No options have been defined for a boolean field. -									$cp->vars['lang_options'][0] = ''; -									$cp->vars['lang_options'][1] = ''; -								} -								else -								{ -									// No options have been defined for the dropdown menu -									$cp->vars['lang_options'] = array(); -								} -							} - -							$template->assign_vars(array( -								'S_BOOL'		=> ($field_type == FIELD_BOOL) ? true : false, -								'S_DROPDOWN'	=> ($field_type == FIELD_DROPDOWN) ? true : false, - -								'L_LANG_OPTIONS_EXPLAIN'	=> $user->lang[strtoupper($cp->profile_types[$field_type]) . '_ENTRIES_EXPLAIN'], -								'LANG_OPTIONS'				=> ($field_type == FIELD_DROPDOWN) ? implode("\n", $cp->vars['lang_options']) : '', -								'FIRST_LANG_OPTION'			=> ($field_type == FIELD_BOOL) ? $cp->vars['lang_options'][0] : '', -								'SECOND_LANG_OPTION'		=> ($field_type == FIELD_BOOL) ? $cp->vars['lang_options'][1] : '') -							); -						} +						$field_data = $cp->vars; +						$profile_field->display_options($template_vars, $field_data); +						$cp->vars = $field_data; +						// Build common create options +						$template->assign_vars($template_vars);  					break;  					case 2: @@ -847,8 +658,7 @@ class acp_profile  						);  						// Build options based on profile type -						$function = 'get_' . $cp->profile_types[$field_type] . '_options'; -						$options = $cp->$function(); +						$options = $profile_field->get_options($this->lang_defs['iso'][$config['default_lang']], $cp->vars);  						foreach ($options as $num => $option_ary)  						{ @@ -910,17 +720,18 @@ class acp_profile  				$s_one_need_edit = true;  			} +			$profile_field = $this->type_collection[$row['field_type']];  			$template->assign_block_vars('fields', array(  				'FIELD_IDENT'		=> $row['field_ident'], -				'FIELD_TYPE'		=> $user->lang['FIELD_' . strtoupper($cp->profile_types[$row['field_type']])], +				'FIELD_TYPE'		=> $profile_field->get_name(),  				'L_ACTIVATE_DEACTIVATE'		=> $user->lang[$active_lang],  				'U_ACTIVATE_DEACTIVATE'		=> $this->u_action . "&action=$active_value&field_id=$id",  				'U_EDIT'					=> $this->u_action . "&action=edit&field_id=$id",  				'U_TRANSLATE'				=> $this->u_action . "&action=edit&field_id=$id&step=3",  				'U_DELETE'					=> $this->u_action . "&action=delete&field_id=$id", -				'U_MOVE_UP'					=> $this->u_action . "&action=move_up&order={$row['field_order']}", -				'U_MOVE_DOWN'				=> $this->u_action . "&action=move_down&order={$row['field_order']}", +				'U_MOVE_UP'					=> $this->u_action . "&action=move_up&field_id=$id", +				'U_MOVE_DOWN'				=> $this->u_action . "&action=move_down&field_id=$id",  				'S_NEED_EDIT'				=> $s_need_edit)  			); @@ -934,15 +745,15 @@ class acp_profile  		}  		$s_select_type = ''; -		foreach ($cp->profile_types as $key => $value) +		foreach ($this->type_collection as $key => $profile_field)  		{ -			$s_select_type .= '<option value="' . $key . '">' . $user->lang['FIELD_' . strtoupper($value)] . '</option>'; +			$s_select_type .= '<option value="' . $key . '">' . $profile_field->get_name() . '</option>';  		}  		$template->assign_vars(array(  			'U_ACTION'			=> $this->u_action, -			'S_TYPE_OPTIONS'	=> $s_select_type) -		); +			'S_TYPE_OPTIONS'	=> $s_select_type, +		));  	}  	/** @@ -950,7 +761,7 @@ class acp_profile  	*/  	function build_language_options(&$cp, $field_type, $action = 'create')  	{ -		global $user, $config, $db; +		global $user, $config, $db, $phpbb_container;  		$default_lang_id = (!empty($this->edit_lang_id)) ? $this->edit_lang_id : $this->lang_defs['iso'][$config['default_lang']]; @@ -967,31 +778,8 @@ class acp_profile  		}  		$db->sql_freeresult($result); -		$options = array(); -		$options['lang_name'] = 'string'; -		if ($cp->vars['lang_explain']) -		{ -			$options['lang_explain'] = 'text'; -		} - -		switch ($field_type) -		{ -			case FIELD_BOOL: -				$options['lang_options'] = 'two_options'; -			break; - -			case FIELD_DROPDOWN: -				$options['lang_options'] = 'optionfield'; -			break; - -			case FIELD_TEXT: -			case FIELD_STRING: -				if (strlen($cp->vars['lang_default_value'])) -				{ -					$options['lang_default_value'] = ($field_type == FIELD_STRING) ? 'string' : 'text'; -				} -			break; -		} +		$profile_field = $this->type_collection[$field_type]; +		$options = $profile_field->get_language_options($cp->vars);  		$lang_options = array(); @@ -1070,7 +858,7 @@ class acp_profile  	*/  	function save_profile_field(&$cp, $field_type, $action = 'create')  	{ -		global $db, $config, $user; +		global $db, $config, $user, $phpbb_container;  		$field_id = request_var('field_id', 0); @@ -1103,9 +891,13 @@ class acp_profile  			'field_show_on_reg'		=> $cp->vars['field_show_on_reg'],  			'field_show_on_pm'		=> $cp->vars['field_show_on_pm'],  			'field_show_on_vt'		=> $cp->vars['field_show_on_vt'], +			'field_show_on_ml'		=> $cp->vars['field_show_on_ml'],  			'field_hide'			=> $cp->vars['field_hide'],  			'field_show_profile'	=> $cp->vars['field_show_profile'], -			'field_no_view'			=> $cp->vars['field_no_view'] +			'field_no_view'			=> $cp->vars['field_no_view'], +			'field_is_contact'		=> $cp->vars['field_is_contact'], +			'field_contact_desc'	=> $cp->vars['field_contact_desc'], +			'field_contact_url'		=> $cp->vars['field_contact_url'],  		);  		if ($action == 'create') @@ -1131,10 +923,16 @@ class acp_profile  			$db->sql_query($sql);  		} +		$profile_field = $this->type_collection[$field_type]; +  		if ($action == 'create')  		{  			$field_ident = 'pf_' . $field_ident; -			$profile_sql[] = $this->add_field_ident($field_ident, $field_type); + +			$db_tools = $phpbb_container->get('dbal.tools'); + +			list($sql_type, $null) = $db_tools->get_column_type($profile_field->get_database_column_type()); +			$profile_sql[] = $this->add_field_ident($field_ident, $sql_type);  		}  		$sql_ary = array( @@ -1188,23 +986,7 @@ class acp_profile  			}  		} -		// These are always arrays because the key is the language id... -		$cp->vars['l_lang_name']			= utf8_normalize_nfc(request_var('l_lang_name', array(0 => ''), true)); -		$cp->vars['l_lang_explain']			= utf8_normalize_nfc(request_var('l_lang_explain', array(0 => ''), true)); -		$cp->vars['l_lang_default_value']	= utf8_normalize_nfc(request_var('l_lang_default_value', array(0 => ''), true)); - -		if ($field_type != FIELD_BOOL) -		{ -			$cp->vars['l_lang_options']			= utf8_normalize_nfc(request_var('l_lang_options', array(0 => ''), true)); -		} -		else -		{ -			/** -			* @todo check if this line is correct... -			$cp->vars['l_lang_default_value']	= request_var('l_lang_default_value', array(0 => array('')), true); -			*/ -			$cp->vars['l_lang_options']	= utf8_normalize_nfc(request_var('l_lang_options', array(0 => array('')), true)); -		} +		$cp->vars = $profile_field->get_language_options_input($cp->vars);  		if ($cp->vars['lang_options'])  		{ @@ -1224,7 +1006,7 @@ class acp_profile  			foreach ($cp->vars['lang_options'] as $option_id => $value)  			{  				$sql_ary = array( -					'field_type'	=> (int) $field_type, +					'field_type'	=> $field_type,  					'lang_value'	=> $value  				); @@ -1279,7 +1061,7 @@ class acp_profile  							'field_id'		=> (int) $field_id,  							'lang_id'		=> (int) $lang_id,  							'option_id'		=> (int) $option_id, -							'field_type'	=> (int) $field_type, +							'field_type'	=> $field_type,  							'lang_value'	=> $value  						);  					} @@ -1333,7 +1115,6 @@ class acp_profile  			}  		} -  		$db->sql_transaction('begin');  		if ($action == 'create') @@ -1409,7 +1190,7 @@ class acp_profile  	/**  	* Return sql statement for adding a new field ident (profile field) to the profile fields data table  	*/ -	function add_field_ident($field_ident, $field_type) +	function add_field_ident($field_ident, $sql_type)  	{  		global $db; @@ -1418,73 +1199,11 @@ class acp_profile  			case 'mysql':  			case 'mysql4':  			case 'mysqli': - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field. -				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD `$field_ident` "; - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$sql .= ' VARCHAR(255) '; -					break; - -					case FIELD_DATE: -						$sql .= 'VARCHAR(10) '; -					break; - -					case FIELD_TEXT: -						$sql .= "TEXT"; -		//						ADD {$field_ident}_bbcode_uid VARCHAR(5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield INT(11) UNSIGNED"; -					break; - -					case FIELD_BOOL: -						$sql .= 'TINYINT(2) '; -					break; - -					case FIELD_DROPDOWN: -						$sql .= 'MEDIUMINT(8) '; -					break; - -					case FIELD_INT: -						$sql .= 'BIGINT(20) '; -					break; -				} +				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD `$field_ident` " . $sql_type;  			break;  			case 'sqlite': - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$type = ' VARCHAR(255) '; -					break; - -					case FIELD_DATE: -						$type = 'VARCHAR(10) '; -					break; - -					case FIELD_TEXT: -						$type = "TEXT(65535)"; -		//						ADD {$field_ident}_bbcode_uid VARCHAR(5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield INT(11) UNSIGNED"; -					break; - -					case FIELD_BOOL: -						$type = 'TINYINT(2) '; -					break; - -					case FIELD_DROPDOWN: -						$type = 'MEDIUMINT(8) '; -					break; - -					case FIELD_INT: -						$type = 'BIGINT(20) '; -					break; -				} - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field.  				if (version_compare(sqlite_libversion(), '3.0') == -1)  				{  					$sql = "SELECT sql @@ -1519,7 +1238,7 @@ class acp_profile  					$columns = implode(',', $column_list); -					$new_table_cols = $field_ident . ' ' . $type . ',' . $new_table_cols; +					$new_table_cols = $field_ident . ' ' . $sql_type . ',' . $new_table_cols;  					// create a new table and fill it up. destroy the temp one  					$db->sql_query('CREATE TABLE ' . PROFILE_FIELDS_DATA_TABLE . ' (' . $new_table_cols . ');'); @@ -1528,7 +1247,7 @@ class acp_profile  				}  				else  				{ -					$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD $field_ident [$type]"; +					$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD $field_ident [$sql_type]";  				}  			break; @@ -1536,140 +1255,22 @@ class acp_profile  			case 'mssql':  			case 'mssql_odbc':  			case 'mssqlnative': - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field. -				$sql = 'ALTER TABLE [' . PROFILE_FIELDS_DATA_TABLE . "] ADD [$field_ident] "; - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$sql .= ' [VARCHAR] (255) '; -					break; - -					case FIELD_DATE: -						$sql .= '[VARCHAR] (10) '; -					break; - -					case FIELD_TEXT: -						$sql .= "[TEXT]"; -		//						ADD {$field_ident}_bbcode_uid [VARCHAR] (5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield [INT] UNSIGNED"; -					break; - -					case FIELD_BOOL: -					case FIELD_DROPDOWN: -						$sql .= '[INT] '; -					break; - -					case FIELD_INT: -						$sql .= '[FLOAT] '; -					break; -				} +				$sql = 'ALTER TABLE [' . PROFILE_FIELDS_DATA_TABLE . "] ADD [$field_ident] " . $sql_type;  			break;  			case 'postgres': - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field. -				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD COLUMN \"$field_ident\" "; - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$sql .= ' VARCHAR(255) '; -					break; - -					case FIELD_DATE: -						$sql .= 'VARCHAR(10) '; -					break; - -					case FIELD_TEXT: -						$sql .= "TEXT"; -		//						ADD {$field_ident}_bbcode_uid VARCHAR(5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield INT4 UNSIGNED"; -					break; - -					case FIELD_BOOL: -						$sql .= 'INT2 '; -					break; - -					case FIELD_DROPDOWN: -						$sql .= 'INT4 '; -					break; - -					case FIELD_INT: -						$sql .= 'INT8 '; -					break; -				} +				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD COLUMN \"$field_ident\" " . $sql_type;  			break;  			case 'firebird': - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field. -				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . ' ADD "' . strtoupper($field_ident) . '" '; - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$sql .= ' VARCHAR(255) '; -					break; - -					case FIELD_DATE: -						$sql .= 'VARCHAR(10) '; -					break; - -					case FIELD_TEXT: -						$sql .= "BLOB SUB_TYPE TEXT"; -		//						ADD {$field_ident}_bbcode_uid VARCHAR(5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield INTEGER UNSIGNED"; -					break; - -					case FIELD_BOOL: -					case FIELD_DROPDOWN: -						$sql .= 'INTEGER '; -					break; - -					case FIELD_INT: -						$sql .= 'DOUBLE PRECISION '; -					break; -				} +				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . ' ADD "' . strtoupper($field_ident) . '" ' . $sql_type;  			break;  			case 'oracle': - -				// We are defining the biggest common value, because of the possibility to edit the min/max values of each field. -				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD $field_ident "; - -				switch ($field_type) -				{ -					case FIELD_STRING: -						$sql .= ' VARCHAR2(255) '; -					break; - -					case FIELD_DATE: -						$sql .= 'VARCHAR2(10) '; -					break; - -					case FIELD_TEXT: -						$sql .= "CLOB"; -		//						ADD {$field_ident}_bbcode_uid VARCHAR2(5) NOT NULL, -		//						ADD {$field_ident}_bbcode_bitfield NUMBER(11) UNSIGNED"; -					break; - -					case FIELD_BOOL: -						$sql .= 'NUMBER(2) '; -					break; - -					case FIELD_DROPDOWN: -						$sql .= 'NUMBER(8) '; -					break; - -					case FIELD_INT: -						$sql .= 'NUMBER(20) '; -					break; -				} +				$sql = 'ALTER TABLE ' . PROFILE_FIELDS_DATA_TABLE . " ADD $field_ident " . $sql_type;  			break;  		} diff --git a/phpBB/includes/acp/acp_prune.php b/phpBB/includes/acp/acp_prune.php index 5d9080b55b..3850e7efe7 100644 --- a/phpBB/includes/acp/acp_prune.php +++ b/phpBB/includes/acp/acp_prune.php @@ -79,7 +79,7 @@ class acp_prune  				$prune_posted = request_var('prune_days', 0);  				$prune_viewed = request_var('prune_vieweddays', 0);  				$prune_all = (!$prune_posted && !$prune_viewed) ? true : false; -		 +  				$prune_flags = 0;  				$prune_flags += (request_var('prune_old_polls', 0)) ? 2 : 0;  				$prune_flags += (request_var('prune_announce', 0)) ? 4 : 0; @@ -109,7 +109,7 @@ class acp_prune  					$p_result['topics'] = 0;  					$p_result['posts'] = 0;  					$log_data = ''; -			 +  					do  					{  						if (!$auth->acl_get('f_list', $row['forum_id'])) @@ -129,7 +129,7 @@ class acp_prune  								$p_result['topics'] += $return['topics'];  								$p_result['posts'] += $return['posts'];  							} -			 +  							if ($prune_viewed)  							{  								$return = prune($row['forum_id'], 'viewed', $prunedate_viewed, $prune_flags, false); @@ -145,11 +145,11 @@ class acp_prune  							'NUM_TOPICS'	=> $p_result['topics'],  							'NUM_POSTS'		=> $p_result['posts'])  						); -		 +  						$log_data .= (($log_data != '') ? ', ' : '') . $row['forum_name'];  					}  					while ($row = $db->sql_fetchrow($result)); -		 +  					// Sync all pruned forums at once  					sync('forum', 'forum_id', $prune_ids, true, true);  					add_log('admin', 'LOG_PRUNE', $log_data); @@ -256,7 +256,7 @@ class acp_prune  						if ($deleteposts)  						{  							user_delete('remove', $user_ids); -							 +  							$l_log = 'LOG_PRUNE_USER_DEL_DEL';  						}  						else @@ -294,7 +294,7 @@ class acp_prune  					$template->assign_block_vars('users', array(  						'USERNAME'			=> $usernames[$user_id],  						'USER_ID'           => $user_id, -						'U_PROFILE'			=> append_sid($phpbb_root_path . 'memberlist.' . $phpEx, 'mode=viewprofile&u=' . $user_id), +						'U_PROFILE'			=> get_username_string('profile', $user_id, $usernames[$user_id]),  						'U_USER_ADMIN'		=> ($auth->acl_get('a_user')) ? append_sid("{$phpbb_admin_path}index.$phpEx", 'i=users&mode=overview&u=' . $user_id, true, $user->session_id) : '',  					));  				} @@ -388,7 +388,6 @@ class acp_prune  		{  			$username = request_var('username', '', true);  			$email = request_var('email', ''); -			$website = request_var('website', '');  			$active_select = request_var('active_select', 'lt');  			$count_select = request_var('count_select', 'eq'); @@ -438,7 +437,6 @@ class acp_prune  			$where_sql = '';  			$where_sql .= ($username) ? ' AND username_clean ' . $db->sql_like_expression(str_replace('*', $db->any_char, utf8_clean_string($username))) : '';  			$where_sql .= ($email) ? ' AND user_email ' . $db->sql_like_expression(str_replace('*', $db->any_char, $email)) . ' ' : ''; -			$where_sql .= ($website) ? ' AND user_website ' . $db->sql_like_expression(str_replace('*', $db->any_char, $website)) . ' ' : '';  			$where_sql .= $joined_sql;  			$where_sql .= ($count) ? " AND user_posts " . $key_match[$count_select] . ' ' . (int) $count . ' ' : ''; @@ -446,7 +444,7 @@ class acp_prune  			if (sizeof($active) && (int) $active[0] == 0 && (int) $active[1] == 0 && (int) $active[2] == 0)  			{  				$where_sql .= ' AND user_lastvisit = 0'; -			}			 +			}  			else if (sizeof($active) && $active_select != 'lt')  			{  				$where_sql .= ' AND user_lastvisit ' . $key_match[$active_select] . ' ' . gmmktime(0, 0, 0, (int) $active[1], (int) $active[2], (int) $active[0]); @@ -535,7 +533,7 @@ class acp_prune  				WHERE u.user_id <> ' . ANONYMOUS . '  					AND u.user_type <> ' . USER_FOUNDER .  					((!empty($user_ids)) ? 'AND ' . $db->sql_in_set('p.poster_id', $user_ids) : '') . ' -					AND p.post_visibility = ' . ITEM_UNAPPROVED . ' +					AND ' . $db->sql_in_set('p.post_visibility', array(ITEM_UNAPPROVED, ITEM_REAPPROVE)) . '  					AND u.user_id = p.poster_id  				GROUP BY p.poster_id  				HAVING queue_posts ' . $key_match[$queue_select] . ' ' . $posts_on_queue; diff --git a/phpBB/includes/acp/acp_ranks.php b/phpBB/includes/acp/acp_ranks.php index 73e1de44d9..55028cc882 100644 --- a/phpBB/includes/acp/acp_ranks.php +++ b/phpBB/includes/acp/acp_ranks.php @@ -214,7 +214,6 @@ class acp_ranks  					'MIN_POSTS'			=> (isset($ranks['rank_min']) && !$ranks['rank_special']) ? $ranks['rank_min'] : 0)  				); -  				return;  			break; diff --git a/phpBB/includes/acp/acp_reasons.php b/phpBB/includes/acp/acp_reasons.php index 71e9108c2c..569bb73ab0 100644 --- a/phpBB/includes/acp/acp_reasons.php +++ b/phpBB/includes/acp/acp_reasons.php @@ -26,6 +26,7 @@ class acp_reasons  	{  		global $db, $user, $auth, $template, $cache;  		global $config, $phpbb_root_path, $phpbb_admin_path, $phpEx; +		global $request;  		$user->add_lang(array('mcp', 'acp/posting')); @@ -280,7 +281,18 @@ class acp_reasons  			case 'move_up':  			case 'move_down': -				$order = request_var('order', 0); +				$sql = 'SELECT reason_order +					FROM ' . REPORTS_REASONS_TABLE . " +					WHERE reason_id = $reason_id"; +				$result = $db->sql_query($sql); +				$order = $db->sql_fetchfield('reason_order'); +				$db->sql_freeresult($result); + +				if ($order === false || ($order == 0 && $action == 'move_up')) +				{ +					break; +				} +				$order = (int) $order;  				$order_total = $order * 2 + (($action == 'move_up') ? -1 : 1);  				$sql = 'UPDATE ' . REPORTS_REASONS_TABLE . ' @@ -288,6 +300,13 @@ class acp_reasons  					WHERE reason_order IN (' . $order . ', ' . (($action == 'move_up') ? $order - 1 : $order + 1) . ')';  				$db->sql_query($sql); +				if ($request->is_ajax()) +				{ +					$json_response = new \phpbb\json_response; +					$json_response->send(array( +						'success'	=> (bool) $db->sql_affectedrows(), +					)); +				}  			break;  		} @@ -363,8 +382,8 @@ class acp_reasons  				'U_EDIT'		=> $this->u_action . '&action=edit&id=' . $row['reason_id'],  				'U_DELETE'		=> (!$other_reason) ? $this->u_action . '&action=delete&id=' . $row['reason_id'] : '', -				'U_MOVE_UP'		=> $this->u_action . '&action=move_up&order=' . $row['reason_order'], -				'U_MOVE_DOWN'	=> $this->u_action . '&action=move_down&order=' . $row['reason_order']) +				'U_MOVE_UP'		=> $this->u_action . '&action=move_up&id=' . $row['reason_id'], +				'U_MOVE_DOWN'	=> $this->u_action . '&action=move_down&id=' . $row['reason_id'])  			);  		}  		$db->sql_freeresult($result); diff --git a/phpBB/includes/acp/acp_styles.php b/phpBB/includes/acp/acp_styles.php index d5492d85a3..3f9d21f56c 100644 --- a/phpBB/includes/acp/acp_styles.php +++ b/phpBB/includes/acp/acp_styles.php @@ -530,6 +530,9 @@ class acp_styles  			return;  		} +		// Show page title +		$this->welcome_message('ACP_STYLES', null); +  		// Show parent styles  		foreach ($list as $row)  		{ diff --git a/phpBB/includes/acp/acp_update.php b/phpBB/includes/acp/acp_update.php index 6b5407067d..e50409bd37 100644 --- a/phpBB/includes/acp/acp_update.php +++ b/phpBB/includes/acp/acp_update.php @@ -24,64 +24,42 @@ class acp_update  	function main($id, $mode)  	{ -		global $config, $db, $user, $auth, $template, $cache; -		global $phpbb_root_path, $phpbb_admin_path, $phpEx; +		global $config, $user, $template, $request; +		global $phpbb_root_path, $phpEx, $phpbb_container;  		$user->add_lang('install');  		$this->tpl_name = 'acp_update';  		$this->page_title = 'ACP_VERSION_CHECK'; -		// Get current and latest version -		$errstr = ''; -		$errno = 0; - -		$info = obtain_latest_version_info(request_var('versioncheck_force', false)); - -		if (empty($info)) +		$version_helper = $phpbb_container->get('version_helper'); +		try  		{ -			trigger_error('VERSIONCHECK_FAIL', E_USER_WARNING); +			$recheck = $request->variable('versioncheck_force', false); +			$updates_available = $version_helper->get_suggested_updates($recheck);  		} +		catch (\RuntimeException $e) +		{ +			$template->assign_var('S_VERSIONCHECK_FAIL', true); -		$info = explode("\n", $info); -		$latest_version = trim($info[0]); - -		$announcement_url = trim($info[1]); -		$announcement_url = (strpos($announcement_url, '&') === false) ? str_replace('&', '&', $announcement_url) : $announcement_url; -		$update_link = append_sid($phpbb_root_path . 'install/index.' . $phpEx, 'mode=update'); +			$updates_available = array(); +		} -		// next feature release -		$next_feature_version = $next_feature_announcement_url = false; -		if (isset($info[2]) && trim($info[2]) !== '') +		foreach ($updates_available as $branch => $version_data)  		{ -			$next_feature_version = trim($info[2]); -			$next_feature_announcement_url = trim($info[3]); +			$template->assign_block_vars('updates_available', $version_data);  		} -		// Determine automatic update... -		$sql = 'SELECT config_value -			FROM ' . CONFIG_TABLE . " -			WHERE config_name = 'version_update_from'"; -		$result = $db->sql_query($sql); -		$version_update_from = (string) $db->sql_fetchfield('config_value'); -		$db->sql_freeresult($result); - -		$current_version = (!empty($version_update_from)) ? $version_update_from : $config['version']; +		$update_link = append_sid($phpbb_root_path . 'install/index.' . $phpEx, 'mode=update');  		$template->assign_vars(array( -			'S_UP_TO_DATE'		=> phpbb_version_compare($latest_version, $config['version'], '<='), -			'S_UP_TO_DATE_AUTO'	=> phpbb_version_compare($latest_version, $current_version, '<='), -			'S_VERSION_CHECK'	=> true, -			'U_ACTION'			=> $this->u_action, -			'U_VERSIONCHECK_FORCE' => append_sid($this->u_action . '&versioncheck_force=1'), +			'S_UP_TO_DATE'			=> empty($updates_available), +			'U_ACTION'				=> $this->u_action, +			'U_VERSIONCHECK_FORCE'	=> append_sid($this->u_action . '&versioncheck_force=1'), -			'LATEST_VERSION'	=> $latest_version, -			'CURRENT_VERSION'	=> $config['version'], -			'AUTO_VERSION'		=> $version_update_from, -			'NEXT_FEATURE_VERSION'	=> $next_feature_version, +			'CURRENT_VERSION'		=> $config['version'], -			'UPDATE_INSTRUCTIONS'	=> sprintf($user->lang['UPDATE_INSTRUCTIONS'], $announcement_url, $update_link), -			'UPGRADE_INSTRUCTIONS'	=> $next_feature_version ? $user->lang('UPGRADE_INSTRUCTIONS', $next_feature_version, $next_feature_announcement_url) : false, +			'UPDATE_INSTRUCTIONS'	=> sprintf($user->lang['UPDATE_INSTRUCTIONS'], $update_link),  		));  	}  } diff --git a/phpBB/includes/acp/acp_users.php b/phpBB/includes/acp/acp_users.php index b24adfc586..de8f1b48c6 100644 --- a/phpBB/includes/acp/acp_users.php +++ b/phpBB/includes/acp/acp_users.php @@ -37,7 +37,6 @@ class acp_users  		$user->add_lang(array('posting', 'ucp', 'acp/users'));  		$this->tpl_name = 'acp_users'; -		$this->page_title = 'ACP_USER_' . strtoupper($mode);  		$error		= array();  		$username	= utf8_normalize_nfc(request_var('username', '', true)); @@ -159,6 +158,8 @@ class acp_users  			trigger_error($user->lang['NOT_MANAGE_FOUNDER'] . adm_back_link($this->u_action), E_USER_WARNING);  		} +		$this->page_title = $user_row['username'] . ' :: ' . $user->lang('ACP_USER_' . strtoupper($mode)); +  		switch ($mode)  		{  			case 'overview': @@ -173,8 +174,7 @@ class acp_users  				if ($submit)  				{ -					// You can't delete the founder -					if ($delete && $user_row['user_type'] != USER_FOUNDER) +					if ($delete)  					{  						if (!$auth->acl_get('a_userdel'))  						{ @@ -187,6 +187,12 @@ class acp_users  							trigger_error($user->lang['CANNOT_REMOVE_ANONYMOUS'] . adm_back_link($this->u_action . '&u=' . $user_id), E_USER_WARNING);  						} +						// Founders can not be deleted. +						if ($user_row['user_type'] == USER_FOUNDER) +						{ +							trigger_error($user->lang['CANNOT_REMOVE_FOUNDER'] . adm_back_link($this->u_action . '&u=' . $user_id), E_USER_WARNING); +						} +  						if ($user_id == $user->data['user_id'])  						{  							trigger_error($user->lang['CANNOT_REMOVE_YOURSELF'] . adm_back_link($this->u_action . '&u=' . $user_id), E_USER_WARNING); @@ -651,6 +657,7 @@ class acp_users  								{  									if ($topic_id_ary[$row['topic_id']][ITEM_APPROVED] == $row['topic_posts_approved']  										&& $topic_id_ary[$row['topic_id']][ITEM_UNAPPROVED] == $row['topic_posts_unapproved'] +										&& $topic_id_ary[$row['topic_id']][ITEM_REAPPROVE] == $row['topic_posts_unapproved']  										&& $topic_id_ary[$row['topic_id']][ITEM_DELETED] == $row['topic_posts_softdeleted'])  									{  										$move_topic_ary[] = $row['topic_id']; @@ -729,7 +736,6 @@ class acp_users  								sync('forum', 'forum_id', $forum_id_ary, false, true);  							} -  							add_log('admin', 'LOG_USER_MOVE_POSTS', $user_row['username'], $forum_info['forum_name']);  							add_log('user', $user_id, 'LOG_USER_MOVE_POSTS_USER', $forum_info['forum_name']); @@ -766,7 +772,7 @@ class acp_users  							* @event core.acp_users_overview_run_quicktool  							* @var	array	user_row	Current user data  							* @var	string	action		Quick tool that should be run -							* @since 3.1-A1 +							* @since 3.1.0-a1  							*/  							$vars = array('action', 'user_row');  							extract($phpbb_dispatcher->trigger_event('core.acp_users_overview_run_quicktool', compact($vars))); @@ -824,9 +830,12 @@ class acp_users  						$error[] = 'FORM_INVALID';  					} +					// Instantiate passwords manager +					$passwords_manager = $phpbb_container->get('passwords.manager'); +  					// Which updates do we need to do?  					$update_username = ($user_row['username'] != $data['username']) ? $data['username'] : false; -					$update_password = ($data['new_password'] && !phpbb_check_hash($data['new_password'], $user_row['user_password'])) ? true : false; +					$update_password = $data['new_password'] && !$passwords_manager->check($data['new_password'], $user_row['user_password']);  					$update_email = ($data['email'] != $user_row['user_email']) ? $data['email'] : false;  					if (!sizeof($error)) @@ -884,7 +893,7 @@ class acp_users  						* @var	array	user_row	Current user data  						* @var	array	data		Submitted user data  						* @var	array	sql_ary		User data we udpate -						* @since 3.1-A1 +						* @since 3.1.0-a1  						*/  						$vars = array('user_row', 'data', 'sql_ary');  						extract($phpbb_dispatcher->trigger_event('core.acp_users_overview_modify_data', compact($vars))); @@ -910,7 +919,7 @@ class acp_users  						if ($update_password)  						{  							$sql_ary += array( -								'user_password'		=> phpbb_hash($data['new_password']), +								'user_password'		=> $passwords_manager->hash($data['new_password']),  								'user_passchg'		=> time(),  								'user_pass_convert'	=> 0,  							); @@ -999,7 +1008,7 @@ class acp_users  				* @event core.acp_users_display_overview  				* @var	array	user_row			Array with user data  				* @var	array	quick_tool_ary		Ouick tool options -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('user_row', 'quick_tool_ary');  				extract($phpbb_dispatcher->trigger_event('core.acp_users_display_overview', compact($vars))); @@ -1010,7 +1019,7 @@ class acp_users  					$s_action_options .= '<option value="' . $value . '">' . $user->lang['USER_ADMIN_' . $lang] . '</option>';  				} -				$last_visit = (!empty($user_row['session_time'])) ? $user_row['session_time'] : $user_row['user_lastvisit']; +				$last_active = (!empty($user_row['session_time'])) ? $user_row['session_time'] : $user_row['user_lastvisit'];  				$inactive_reason = '';  				if ($user_row['user_type'] == USER_INACTIVE) @@ -1041,7 +1050,7 @@ class acp_users  				$sql = 'SELECT COUNT(post_id) as posts_in_queue  					FROM ' . POSTS_TABLE . '  					WHERE poster_id = ' . $user_id . ' -						AND post_visibility = ' . ITEM_UNAPPROVED; +						AND ' . $db->sql_in_set('post_visibility', array(ITEM_UNAPPROVED, ITEM_REAPPROVE));  				$result = $db->sql_query($sql);  				$user_row['posts_in_queue'] = (int) $db->sql_fetchfield('posts_in_queue');  				$db->sql_freeresult($result); @@ -1069,6 +1078,7 @@ class acp_users  					'U_SHOW_IP'		=> $this->u_action . "&u=$user_id&ip=" . (($ip == 'ip') ? 'hostname' : 'ip'),  					'U_WHOIS'		=> $this->u_action . "&action=whois&user_ip={$user_row['user_ip']}",  					'U_MCP_QUEUE'	=> ($auth->acl_getf_global('m_approve')) ? append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=queue', true, $user->session_id) : '', +					'U_SEARCH_USER'	=> ($config['load_search'] && $auth->acl_get('u_search')) ? append_sid("{$phpbb_root_path}search.$phpEx", "author_id={$user_row['user_id']}&sr=posts") : '',  					'U_SWITCH_PERMISSIONS'	=> ($auth->acl_get('a_switchperm') && $user->data['user_id'] != $user_row['user_id']) ? append_sid("{$phpbb_root_path}ucp.$phpEx", "mode=switch_perm&u={$user_row['user_id']}&hash=" . generate_link_hash('switchperm')) : '', @@ -1076,7 +1086,7 @@ class acp_users  					'USER'				=> $user_row['username'],  					'USER_REGISTERED'	=> $user->format_date($user_row['user_regdate']),  					'REGISTERED_IP'		=> ($ip == 'hostname') ? gethostbyaddr($user_row['user_ip']) : $user_row['user_ip'], -					'USER_LASTACTIVE'	=> ($last_visit) ? $user->format_date($last_visit) : ' - ', +					'USER_LASTACTIVE'	=> ($last_active) ? $user->format_date($last_active) : ' - ',  					'USER_EMAIL'		=> $user_row['user_email'],  					'USER_WARNINGS'		=> $user_row['user_warnings'],  					'USER_POSTS'		=> $user_row['user_posts'], @@ -1171,7 +1181,6 @@ class acp_users  				$template->assign_vars(array(  					'S_FEEDBACK'	=> true, -					'S_ON_PAGE'		=> $pagination->on_page($base_url, $log_count, $config['topics_per_page'], $start),  					'S_LIMIT_DAYS'	=> $s_limit_days,  					'S_SORT_KEY'	=> $s_sort_key, @@ -1244,17 +1253,13 @@ class acp_users  								WHERE user_id = $user_id";  							$db->sql_query($sql); -							switch ($log_warnings) +							if ($log_warnings)  							{ -								case 2: -									add_log('admin', 'LOG_WARNINGS_DELETED', $user_row['username'], $num_warnings); -								break; -								case 1: -									add_log('admin', 'LOG_WARNING_DELETED', $user_row['username']); -								break; -								default: -									add_log('admin', 'LOG_WARNINGS_DELETED_ALL', $user_row['username']); -								break; +								add_log('admin', 'LOG_WARNINGS_DELETED', $user_row['username'], $num_warnings); +							} +							else +							{ +								add_log('admin', 'LOG_WARNINGS_DELETED_ALL', $user_row['username']);  							}  						}  					} @@ -1324,7 +1329,6 @@ class acp_users  						}  					} -  					$template->assign_block_vars('warn', array(  						'ID'		=> $row['warning_id'],  						'USERNAME'	=> ($row['log_operation']) ? get_username_string('full', $row['mod_user_id'], $row['mod_username'], $row['mod_user_colour']) : '-', @@ -1343,9 +1347,8 @@ class acp_users  			case 'profile':  				include($phpbb_root_path . 'includes/functions_user.' . $phpEx); -				include($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx); -				$cp = new custom_profile(); +				$cp = $phpbb_container->get('profilefields.manager');  				$cp_data = $cp_error = array(); @@ -1359,15 +1362,7 @@ class acp_users  				$user_row['iso_lang_id'] = $row['lang_id'];  				$data = array( -					'icq'			=> request_var('icq', $user_row['user_icq']), -					'aim'			=> request_var('aim', $user_row['user_aim']), -					'msn'			=> request_var('msn', $user_row['user_msnm']), -					'yim'			=> request_var('yim', $user_row['user_yim']),  					'jabber'		=> utf8_normalize_nfc(request_var('jabber', $user_row['user_jabber'], true)), -					'website'		=> request_var('website', $user_row['user_website']), -					'location'		=> utf8_normalize_nfc(request_var('location', $user_row['user_from'], true)), -					'occupation'	=> utf8_normalize_nfc(request_var('occupation', $user_row['user_occ'], true)), -					'interests'		=> utf8_normalize_nfc(request_var('interests', $user_row['user_interests'], true)),  					'bday_day'		=> 0,  					'bday_month'	=> 0,  					'bday_year'		=> 0, @@ -1383,25 +1378,12 @@ class acp_users  				$data['bday_year']		= request_var('bday_year', $data['bday_year']);  				$data['user_birthday']	= sprintf('%2d-%2d-%4d', $data['bday_day'], $data['bday_month'], $data['bday_year']); -  				if ($submit)  				{  					$error = validate_data($data, array( -						'icq'			=> array( -							array('string', true, 3, 15), -							array('match', true, '#^[0-9]+$#i')), -						'aim'			=> array('string', true, 3, 255), -						'msn'			=> array('string', true, 5, 255),  						'jabber'		=> array(  							array('string', true, 5, 255),  							array('jabber')), -						'yim'			=> array('string', true, 5, 255), -						'website'		=> array( -							array('string', true, 12, 255), -							array('match', true, '#^http[s]?://(.*?\.)*?[a-z0-9\-]+\.[a-z]{2,4}#i')), -						'location'		=> array('string', true, 2, 100), -						'occupation'	=> array('string', true, 2, 500), -						'interests'		=> array('string', true, 2, 500),  						'bday_day'		=> array('num', true, 1, 31),  						'bday_month'	=> array('num', true, 1, 12),  						'bday_year'		=> array('num', true, 1901, gmdate('Y', time())), @@ -1423,15 +1405,7 @@ class acp_users  					if (!sizeof($error))  					{  						$sql_ary = array( -							'user_icq'		=> $data['icq'], -							'user_aim'		=> $data['aim'], -							'user_msnm'		=> $data['msn'], -							'user_yim'		=> $data['yim'],  							'user_jabber'	=> $data['jabber'], -							'user_website'	=> $data['website'], -							'user_from'		=> $data['location'], -							'user_occ'		=> $data['occupation'], -							'user_interests'=> $data['interests'],  							'user_birthday'	=> $data['user_birthday'],  						); @@ -1475,16 +1449,7 @@ class acp_users  				unset($now);  				$template->assign_vars(array( -					'ICQ'			=> $data['icq'], -					'YIM'			=> $data['yim'], -					'AIM'			=> $data['aim'], -					'MSN'			=> $data['msn'],  					'JABBER'		=> $data['jabber'], -					'WEBSITE'		=> $data['website'], -					'LOCATION'		=> $data['location'], -					'OCCUPATION'	=> $data['occupation'], -					'INTERESTS'		=> $data['interests'], -  					'S_BIRTHDAY_DAY_OPTIONS'	=> $s_birthday_day_options,  					'S_BIRTHDAY_MONTH_OPTIONS'	=> $s_birthday_month_options,  					'S_BIRTHDAY_YEAR_OPTIONS'	=> $s_birthday_year_options, @@ -1536,6 +1501,17 @@ class acp_users  					'notify'	=> request_var('notify', $user_row['user_notify']),  				); +				/** +				* Modify users preferences data +				* +				* @event core.acp_users_prefs_modify_data +				* @var	array	data			Array with users preferences data +				* @var	array	user_row		Array with user data +				* @since 3.1.0-b3 +				*/ +				$vars = array('data', 'user_row'); +				extract($phpbb_dispatcher->trigger_event('core.acp_users_prefs_modify_data', compact($vars))); +  				if ($submit)  				{  					$error = validate_data($data, array( @@ -1592,37 +1568,53 @@ class acp_users  							'user_notify'	=> $data['notify'],  						); -						$sql = 'UPDATE ' . USERS_TABLE . ' -							SET ' . $db->sql_build_array('UPDATE', $sql_ary) . " -							WHERE user_id = $user_id"; -						$db->sql_query($sql); +						/** +						* Modify SQL query before users preferences are updated +						* +						* @event core.acp_users_prefs_modify_sql +						* @var	array	data			Array with users preferences data +						* @var	array	user_row		Array with user data +						* @var	array	sql_ary			SQL array with users preferences data to update +						* @var	array	error			Array with errors data +						* @since 3.1.0-b3 +						*/ +						$vars = array('data', 'user_row', 'sql_ary', 'error'); +						extract($phpbb_dispatcher->trigger_event('core.acp_users_prefs_modify_sql', compact($vars))); -						// Check if user has an active session -						if ($user_row['session_id']) +						if (!sizeof($error))  						{ -							// We'll update the session if user_allow_viewonline has changed and the user is a bot -							// Or if it's a regular user and the admin set it to hide the session -							if ($user_row['user_allow_viewonline'] != $sql_ary['user_allow_viewonline'] && $user_row['user_type'] == USER_IGNORE -								|| $user_row['user_allow_viewonline'] && !$sql_ary['user_allow_viewonline']) +							$sql = 'UPDATE ' . USERS_TABLE . ' +								SET ' . $db->sql_build_array('UPDATE', $sql_ary) . " +								WHERE user_id = $user_id"; +							$db->sql_query($sql); + +							// Check if user has an active session +							if ($user_row['session_id'])  							{ -								// We also need to check if the user has the permission to cloak. -								$user_auth = new \phpbb\auth\auth(); -								$user_auth->acl($user_row); +								// We'll update the session if user_allow_viewonline has changed and the user is a bot +								// Or if it's a regular user and the admin set it to hide the session +								if ($user_row['user_allow_viewonline'] != $sql_ary['user_allow_viewonline'] && $user_row['user_type'] == USER_IGNORE +									|| $user_row['user_allow_viewonline'] && !$sql_ary['user_allow_viewonline']) +								{ +									// We also need to check if the user has the permission to cloak. +									$user_auth = new \phpbb\auth\auth(); +									$user_auth->acl($user_row); -								$session_sql_ary = array( -									'session_viewonline'	=> ($user_auth->acl_get('u_hideonline')) ? $sql_ary['user_allow_viewonline'] : true, -								); +									$session_sql_ary = array( +										'session_viewonline'	=> ($user_auth->acl_get('u_hideonline')) ? $sql_ary['user_allow_viewonline'] : true, +									); -								$sql = 'UPDATE ' . SESSIONS_TABLE . ' -									SET ' . $db->sql_build_array('UPDATE', $session_sql_ary) . " -									WHERE session_user_id = $user_id"; -								$db->sql_query($sql); +									$sql = 'UPDATE ' . SESSIONS_TABLE . ' +										SET ' . $db->sql_build_array('UPDATE', $session_sql_ary) . " +										WHERE session_user_id = $user_id"; +									$db->sql_query($sql); -								unset($user_auth); +									unset($user_auth); +								}  							} -						} -						trigger_error($user->lang['USER_PREFS_UPDATED'] . adm_back_link($this->u_action . '&u=' . $user_id)); +							trigger_error($user->lang['USER_PREFS_UPDATED'] . adm_back_link($this->u_action . '&u=' . $user_id)); +						}  					}  					// Replace "error" strings with their real, localised form @@ -1686,7 +1678,7 @@ class acp_users  				}  				$timezone_selects = phpbb_timezone_select($user, $data['tz'], true); -				$template->assign_vars(array( +				$user_prefs_data = array(  					'S_PREFS'			=> true,  					'S_JABBER_DISABLED'	=> ($config['jab_enable'] && $user_row['user_jabber'] && @extension_loaded('xml')) ? false : true, @@ -1726,9 +1718,22 @@ class acp_users  					'S_STYLE_OPTIONS'	=> style_select($data['style']),  					'S_TZ_OPTIONS'			=> $timezone_selects['tz_select'],  					'S_TZ_DATE_OPTIONS'		=> $timezone_selects['tz_dates'], -					)  				); +				/** +				* Modify users preferences data before assigning it to the template +				* +				* @event core.acp_users_prefs_modify_template_data +				* @var	array	data				Array with users preferences data +				* @var	array	user_row			Array with user data +				* @var	array	user_prefs_data		Array with users preferences data to be assigned to the template +				* @since 3.1.0-b3 +				*/ +				$vars = array('data', 'user_row', 'user_prefs_data'); +				extract($phpbb_dispatcher->trigger_event('core.acp_users_prefs_modify_template_data', compact($vars))); + +				$template->assign_vars($user_prefs_data); +  			break;  			case 'avatar': @@ -2101,7 +2106,7 @@ class acp_users  					WHERE a.poster_id = ' . $user_id . "  						AND a.is_orphan = 0  					ORDER BY $order_by"; -				$result = $db->sql_query_limit($sql, $config['posts_per_page'], $start); +				$result = $db->sql_query_limit($sql, $config['topics_per_page'], $start);  				while ($row = $db->sql_fetchrow($result))  				{ @@ -2140,7 +2145,6 @@ class acp_users  				$template->assign_vars(array(  					'S_ATTACHMENTS'		=> true, -					'S_ON_PAGE'			=> $pagination->on_page($base_url, $num_attachments, $config['topics_per_page'], $start),  					'S_SORT_KEY'		=> $s_sort_key,  					'S_SORT_DIR'		=> $s_sort_dir,  				)); @@ -2277,7 +2281,6 @@ class acp_users  					$error = array();  				} -  				$sql = 'SELECT ug.*, g.*  					FROM ' . GROUPS_TABLE . ' g, ' . USER_GROUP_TABLE . " ug  					WHERE ug.user_id = $user_id diff --git a/phpBB/includes/acp/acp_words.php b/phpBB/includes/acp/acp_words.php index d8d14ba4ad..859b586302 100644 --- a/phpBB/includes/acp/acp_words.php +++ b/phpBB/includes/acp/acp_words.php @@ -101,7 +101,7 @@ class acp_words  					'word'			=> $word,  					'replacement'	=> $replacement  				); -				 +  				if ($word_id)  				{  					$db->sql_query('UPDATE ' . WORDS_TABLE . ' SET ' . $db->sql_build_array('UPDATE', $sql_ary) . ' WHERE word_id = ' . $word_id); @@ -162,7 +162,6 @@ class acp_words  			break;  		} -  		$template->assign_vars(array(  			'U_ACTION'			=> $this->u_action,  			'S_HIDDEN_FIELDS'	=> $s_hidden_fields) diff --git a/phpBB/includes/acp/auth.php b/phpBB/includes/acp/auth.php index a023bced0a..c95dd1d153 100644 --- a/phpBB/includes/acp/auth.php +++ b/phpBB/includes/acp/auth.php @@ -139,7 +139,6 @@ class auth_admin extends \phpbb\auth\auth  					$auth2 = &$auth;  				} -  				$hold_ary[$userdata['user_id']] = array();  				foreach ($forum_ids as $f_id)  				{ @@ -649,9 +648,9 @@ class auth_admin extends \phpbb\auth\auth  				{  					$template->assign_block_vars('role_mask.users', array(  						'USER_ID'		=> $row['user_id'], -						'USERNAME'		=> $row['username'], -						'U_PROFILE'		=> append_sid("{$phpbb_root_path}memberlist.$phpEx", "mode=viewprofile&u={$row['user_id']}")) -					); +						'USERNAME'		=> get_username_string('username', $row['user_id'], $row['username']), +						'U_PROFILE'		=> get_username_string('profile', $row['user_id'], $row['username']), +					));  				}  				$db->sql_freeresult($result);  			} diff --git a/phpBB/includes/acp/info/acp_prune.php b/phpBB/includes/acp/info/acp_prune.php index 7498e46cad..0f70d9d638 100644 --- a/phpBB/includes/acp/info/acp_prune.php +++ b/phpBB/includes/acp/info/acp_prune.php @@ -20,7 +20,7 @@ class acp_prune_info  			'version'	=> '1.0.0',  			'modes'		=> array(  				'forums'	=> array('title' => 'ACP_PRUNE_FORUMS', 'auth' => 'acl_a_prune', 'cat' => array('ACP_MANAGE_FORUMS')), -				'users'		=> array('title' => 'ACP_PRUNE_USERS', 'auth' => 'acl_a_userdel', 'cat' => array('ACP_USER_SECURITY')), +				'users'		=> array('title' => 'ACP_PRUNE_USERS', 'auth' => 'acl_a_userdel', 'cat' => array('ACP_CAT_USERS')),  			),  		);  	} diff --git a/phpBB/includes/bbcode.php b/phpBB/includes/bbcode.php index 683fbf0fd2..7b5d8449b3 100644 --- a/phpBB/includes/bbcode.php +++ b/phpBB/includes/bbcode.php @@ -404,7 +404,7 @@ class bbcode  				'i_close'	=> '</span>',  				'u_open'	=> '<span style="text-decoration: underline">',  				'u_close'	=> '</span>', -				'img'		=> '<img src="$1" alt="' . $user->lang['IMAGE'] . '" />', +				'img'		=> '<img src="$1" class="postimage" alt="' . $user->lang['IMAGE'] . '" />',  				'size'		=> '<span style="font-size: $1%; line-height: normal">$2</span>',  				'color'		=> '<span style="color: $1">$2</span>',  				'email'		=> '<a href="mailto:$1">$2</a>' diff --git a/phpBB/includes/captcha/captcha_gd.php b/phpBB/includes/captcha/captcha_gd.php index ab45aa9db6..e7c01c040a 100644 --- a/phpBB/includes/captcha/captcha_gd.php +++ b/phpBB/includes/captcha/captcha_gd.php @@ -32,7 +32,7 @@ class captcha  	function execute($code, $seed)  	{  		global $config; -		 +  		mt_srand($seed);  		// Create image @@ -160,13 +160,13 @@ class captcha  	function wave($img)  	{  		global $config; -		 +  		$period_x = mt_rand(12,18);  		$period_y = mt_rand(7,14);  		$amp_x = mt_rand(5,10); -		$amp_y = mt_rand(2,4);  +		$amp_y = mt_rand(2,4);  		$socket = mt_rand(0,100); -		 +  		$dampen_x = mt_rand($this->width/5, $this->width/2);  		$dampen_y = mt_rand($this->height/5, $this->height/2);  		$direction_x = (mt_rand (0, 1)); @@ -185,7 +185,7 @@ class captcha  		}  		return $img;  	} -	 +  	/**  	* Noise line  	*/ @@ -236,7 +236,7 @@ class captcha  	}  	function captcha_noise_bg_bitmaps() -	{		 +	{  		return array(  			'width'		=> 15,  			'height'	=> 5, @@ -300,7 +300,7 @@ class captcha  	function captcha_bitmaps()  	{  		global $config; -		 +  		$chars = array(  			'A'	=>	array(  						array( @@ -1681,7 +1681,7 @@ class captcha  			'J' =>	$chars['J'][mt_rand(0, min(sizeof($chars['J']), $config['captcha_gd_fonts']) -1)],  			'K' =>	$chars['K'][mt_rand(0, min(sizeof($chars['K']), $config['captcha_gd_fonts']) -1)],  			'L' =>	$chars['L'][mt_rand(0, min(sizeof($chars['L']), $config['captcha_gd_fonts']) -1)], -			'M' =>	$chars['M'][mt_rand(0, min(sizeof($chars['M']), $config['captcha_gd_fonts']) -1)],   +			'M' =>	$chars['M'][mt_rand(0, min(sizeof($chars['M']), $config['captcha_gd_fonts']) -1)],  			'N' =>	$chars['N'][mt_rand(0, min(sizeof($chars['N']), $config['captcha_gd_fonts']) -1)],  			'O' =>	$chars['O'][mt_rand(0, min(sizeof($chars['O']), $config['captcha_gd_fonts']) -1)],  			'P' =>	$chars['P'][mt_rand(0, min(sizeof($chars['P']), $config['captcha_gd_fonts']) -1)], @@ -2196,7 +2196,7 @@ class colour_manager  		{  			$mode = $this->mode;  		} -		 +  		if (!is_array($colour))  		{  			if (isset($this->named_rgb[$colour])) @@ -2226,8 +2226,8 @@ class colour_manager  			return $this->random_colour($colour, $mode);  		} -		$rgb		= colour_manager::model_convert($colour, $mode, 'rgb'); -		$store		= ($this->mode == 'rgb') ? $rgb : colour_manager::model_convert($colour, $mode, $this->mode); +		$rgb		= $this->model_convert($colour, $mode, 'rgb'); +		$store		= ($this->mode == 'rgb') ? $rgb : $this->model_convert($colour, $mode, $this->mode);  		$resource	= imagecolorallocate($this->img, $rgb[0], $rgb[1], $rgb[2]);  		$this->colours[$resource] = $store; @@ -2345,14 +2345,13 @@ class colour_manager  			$resource = $pre;  		} -		$colour = colour_manager::model_convert($this->colours[$resource], $this->mode, $mode); +		$colour = $this->model_convert($this->colours[$resource], $this->mode, $mode);  		$results = ($include_original) ? array($resource) : array();  		$colour2 = $colour3 = $colour4 = $colour;  		$colour2[0] += 150;  		$colour3[0] += 180;  		$colour4[0] += 210; -  		$results[] = $this->allocate($colour2, $mode);  		$results[] = $this->allocate($colour3, $mode);  		$results[] = $this->allocate($colour4, $mode); @@ -2380,7 +2379,7 @@ class colour_manager  			$resource = $pre;  		} -		$colour = colour_manager::model_convert($this->colours[$resource], $this->mode, $mode); +		$colour = $this->model_convert($this->colours[$resource], $this->mode, $mode);  		$results = array();  		if ($include_original) @@ -2390,7 +2389,7 @@ class colour_manager  		}  		// This is a hard problem. I chicken out and try to maintain readability at the cost of less randomness. -		 +  		while ($count > 0)  		{  			$colour[1] = ($colour[1] + mt_rand(40,60)) % 99; @@ -2418,11 +2417,11 @@ class colour_manager  				switch ($from_model)  				{  					case 'ahsv': -						return colour_manager::ah2h($colour); +						return $this->ah2h($colour);  					break;  					case 'rgb': -						return colour_manager::rgb2hsv($colour); +						return $this->rgb2hsv($colour);  					break;  				}  			break; @@ -2432,11 +2431,11 @@ class colour_manager  				switch ($from_model)  				{  					case 'hsv': -						return colour_manager::h2ah($colour); +						return $this->h2ah($colour);  					break;  					case 'rgb': -						return colour_manager::h2ah(colour_manager::rgb2hsv($colour)); +						return $this->h2ah($this->rgb2hsv($colour));  					break;  				}  			break; @@ -2445,11 +2444,11 @@ class colour_manager  				switch ($from_model)  				{  					case 'hsv': -						return colour_manager::hsv2rgb($colour); +						return $this->hsv2rgb($colour);  					break;  					case 'ahsv': -						return colour_manager::hsv2rgb(colour_manager::ah2h($colour)); +						return $this->hsv2rgb($this->ah2h($colour));  					break;  				}  			break; @@ -2462,7 +2461,7 @@ class colour_manager  	*/  	function hsv2rgb($hsv)  	{ -		colour_manager::normalize_hue($hsv[0]); +		$this->normalize_hue($hsv[0]);  		$h = $hsv[0];  		$s = min(1, max(0, $hsv[1] / 100)); @@ -2554,7 +2553,7 @@ class colour_manager  				break;  			}  		} -		colour_manager::normalize_hue($h); +		$this->normalize_hue($h);  		return array($h, $s * 100, $v * 100);  	} @@ -2578,10 +2577,10 @@ class colour_manager  	{  		if (is_array($ahue))  		{ -			$ahue[0] = colour_manager::ah2h($ahue[0]); +			$ahue[0] = $this->ah2h($ahue[0]);  			return $ahue;  		} -		colour_manager::normalize_hue($ahue); +		$this->normalize_hue($ahue);  		// blue through red is already ok  		if ($ahue >= 240) @@ -2612,10 +2611,10 @@ class colour_manager  	{  		if (is_array($hue))  		{ -			$hue[0] = colour_manager::h2ah($hue[0]); +			$hue[0] = $this->h2ah($hue[0]);  			return $hue;  		} -		colour_manager::normalize_hue($hue); +		$this->normalize_hue($hue);  		// blue through red is already ok  		if ($hue >= 240) diff --git a/phpBB/includes/constants.php b/phpBB/includes/constants.php index 855b6ff187..66d2e4bd81 100644 --- a/phpBB/includes/constants.php +++ b/phpBB/includes/constants.php @@ -24,7 +24,7 @@ if (!defined('IN_PHPBB'))  */  // phpBB Version -define('PHPBB_VERSION', '3.1.0-a3-dev'); +define('PHPBB_VERSION', '3.1.0-b3-dev');  // QA-related  // define('PHPBB_QA', 1); @@ -46,10 +46,10 @@ define('USER_INACTIVE', 1);  define('USER_IGNORE', 2);  define('USER_FOUNDER', 3); -define('INACTIVE_REGISTER', 1); -define('INACTIVE_PROFILE', 2); -define('INACTIVE_MANUAL', 3); -define('INACTIVE_REMIND', 4); +define('INACTIVE_REGISTER', 1); // Newly registered account +define('INACTIVE_PROFILE', 2); // Profile details changed +define('INACTIVE_MANUAL', 3); // Account deactivated by administrator +define('INACTIVE_REMIND', 4); // Forced user account reactivation  // ACL  define('ACL_NEVER', 0); @@ -91,6 +91,7 @@ define('ITEM_MOVED', 2);  define('ITEM_UNAPPROVED', 0); // => has not yet been approved  define('ITEM_APPROVED', 1); // => has been approved, and has not been soft deleted  define('ITEM_DELETED', 2); // => has been soft deleted +define('ITEM_REAPPROVE', 3); // => has been edited and needs to be re-approved  // Forum Flags  define('FORUM_FLAG_LINK_TRACK', 1); @@ -289,4 +290,3 @@ define('WORDS_TABLE',				$table_prefix . 'words');  define('ZEBRA_TABLE',				$table_prefix . 'zebra');  // Additional tables - diff --git a/phpBB/includes/db/index.htm b/phpBB/includes/db/index.htm deleted file mode 100644 index ee1f723a7d..0000000000 --- a/phpBB/includes/db/index.htm +++ /dev/null @@ -1,10 +0,0 @@ -<html> -<head> -<title></title> -<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1"> -</head> - -<body bgcolor="#FFFFFF" text="#000000"> - -</body> -</html> diff --git a/phpBB/includes/db/schema_data.php b/phpBB/includes/db/schema_data.php deleted file mode 100644 index 69d39e0f8c..0000000000 --- a/phpBB/includes/db/schema_data.php +++ /dev/null @@ -1,1219 +0,0 @@ -<?php -/** -* -* @package dbal -* @copyright (c) 2013 phpBB Group -* @license http://opensource.org/licenses/gpl-2.0.php GNU General Public License v2 -* -*/ - -/** -* @ignore -*/ -if (!defined('IN_PHPBB')) -{ -	exit; -} - -$schema_data = array(); - -/** -* Define the basic structure -* The format: -*		array('{TABLE_NAME}' => {TABLE_DATA}) -*		{TABLE_DATA}: -*			COLUMNS = array({column_name} = array({column_type}, {default}, {auto_increment})) -*			PRIMARY_KEY = {column_name(s)} -*			KEYS = array({key_name} = array({key_type}, {column_name(s)})), -* -*	Column Types: -*	INT:x		=> SIGNED int(x) -*	BINT		=> BIGINT -*	UINT		=> mediumint(8) UNSIGNED -*	UINT:x		=> int(x) UNSIGNED -*	TINT:x		=> tinyint(x) -*	USINT		=> smallint(4) UNSIGNED (for _order columns) -*	BOOL		=> tinyint(1) UNSIGNED -*	VCHAR		=> varchar(255) -*	CHAR:x		=> char(x) -*	XSTEXT_UNI	=> text for storing 100 characters (topic_title for example) -*	STEXT_UNI	=> text for storing 255 characters (normal input field with a max of 255 single-byte chars) - same as VCHAR_UNI -*	TEXT_UNI	=> text for storing 3000 characters (short text, descriptions, comments, etc.) -*	MTEXT_UNI	=> mediumtext (post text, large text) -*	VCHAR:x		=> varchar(x) -*	TIMESTAMP	=> int(11) UNSIGNED -*	DECIMAL		=> decimal number (5,2) -*	DECIMAL:	=> decimal number (x,2) -*	PDECIMAL	=> precision decimal number (6,3) -*	PDECIMAL:	=> precision decimal number (x,3) -*	VCHAR_UNI	=> varchar(255) BINARY -*	VCHAR_CI	=> varchar_ci for postgresql, others VCHAR -*/ -$schema_data['phpbb_attachments'] = array( -	'COLUMNS'		=> array( -		'attach_id'			=> array('UINT', NULL, 'auto_increment'), -		'post_msg_id'		=> array('UINT', 0), -		'topic_id'			=> array('UINT', 0), -		'in_message'		=> array('BOOL', 0), -		'poster_id'			=> array('UINT', 0), -		'is_orphan'			=> array('BOOL', 1), -		'physical_filename'	=> array('VCHAR', ''), -		'real_filename'		=> array('VCHAR', ''), -		'download_count'	=> array('UINT', 0), -		'attach_comment'	=> array('TEXT_UNI', ''), -		'extension'			=> array('VCHAR:100', ''), -		'mimetype'			=> array('VCHAR:100', ''), -		'filesize'			=> array('UINT:20', 0), -		'filetime'			=> array('TIMESTAMP', 0), -		'thumbnail'			=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'attach_id', -	'KEYS'			=> array( -		'filetime'			=> array('INDEX', 'filetime'), -		'post_msg_id'		=> array('INDEX', 'post_msg_id'), -		'topic_id'			=> array('INDEX', 'topic_id'), -		'poster_id'			=> array('INDEX', 'poster_id'), -		'is_orphan'			=> array('INDEX', 'is_orphan'), -	), -); - -$schema_data['phpbb_acl_groups'] = array( -	'COLUMNS'		=> array( -		'group_id'			=> array('UINT', 0), -		'forum_id'			=> array('UINT', 0), -		'auth_option_id'	=> array('UINT', 0), -		'auth_role_id'		=> array('UINT', 0), -		'auth_setting'		=> array('TINT:2', 0), -	), -	'KEYS'			=> array( -		'group_id'		=> array('INDEX', 'group_id'), -		'auth_opt_id'	=> array('INDEX', 'auth_option_id'), -		'auth_role_id'	=> array('INDEX', 'auth_role_id'), -	), -); - -$schema_data['phpbb_acl_options'] = array( -	'COLUMNS'		=> array( -		'auth_option_id'	=> array('UINT', NULL, 'auto_increment'), -		'auth_option'		=> array('VCHAR:50', ''), -		'is_global'			=> array('BOOL', 0), -		'is_local'			=> array('BOOL', 0), -		'founder_only'		=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'auth_option_id', -	'KEYS'			=> array( -		'auth_option'		=> array('UNIQUE', 'auth_option'), -	), -); - -$schema_data['phpbb_acl_roles'] = array( -	'COLUMNS'		=> array( -		'role_id'			=> array('UINT', NULL, 'auto_increment'), -		'role_name'			=> array('VCHAR_UNI', ''), -		'role_description'	=> array('TEXT_UNI', ''), -		'role_type'			=> array('VCHAR:10', ''), -		'role_order'		=> array('USINT', 0), -	), -	'PRIMARY_KEY'	=> 'role_id', -	'KEYS'			=> array( -		'role_type'			=> array('INDEX', 'role_type'), -		'role_order'		=> array('INDEX', 'role_order'), -	), -); - -$schema_data['phpbb_acl_roles_data'] = array( -	'COLUMNS'		=> array( -		'role_id'			=> array('UINT', 0), -		'auth_option_id'	=> array('UINT', 0), -		'auth_setting'		=> array('TINT:2', 0), -	), -	'PRIMARY_KEY'	=> array('role_id', 'auth_option_id'), -	'KEYS'			=> array( -		'ath_op_id'			=> array('INDEX', 'auth_option_id'), -	), -); - -$schema_data['phpbb_acl_users'] = array( -	'COLUMNS'		=> array( -		'user_id'			=> array('UINT', 0), -		'forum_id'			=> array('UINT', 0), -		'auth_option_id'	=> array('UINT', 0), -		'auth_role_id'		=> array('UINT', 0), -		'auth_setting'		=> array('TINT:2', 0), -	), -	'KEYS'			=> array( -		'user_id'			=> array('INDEX', 'user_id'), -		'auth_option_id'	=> array('INDEX', 'auth_option_id'), -		'auth_role_id'		=> array('INDEX', 'auth_role_id'), -	), -); - -$schema_data['phpbb_banlist'] = array( -	'COLUMNS'		=> array( -		'ban_id'			=> array('UINT', NULL, 'auto_increment'), -		'ban_userid'		=> array('UINT', 0), -		'ban_ip'			=> array('VCHAR:40', ''), -		'ban_email'			=> array('VCHAR_UNI:100', ''), -		'ban_start'			=> array('TIMESTAMP', 0), -		'ban_end'			=> array('TIMESTAMP', 0), -		'ban_exclude'		=> array('BOOL', 0), -		'ban_reason'		=> array('VCHAR_UNI', ''), -		'ban_give_reason'	=> array('VCHAR_UNI', ''), -	), -	'PRIMARY_KEY'			=> 'ban_id', -	'KEYS'			=> array( -		'ban_end'			=> array('INDEX', 'ban_end'), -		'ban_user'			=> array('INDEX', array('ban_userid', 'ban_exclude')), -		'ban_email'			=> array('INDEX', array('ban_email', 'ban_exclude')), -		'ban_ip'			=> array('INDEX', array('ban_ip', 'ban_exclude')), -	), -); - -$schema_data['phpbb_bbcodes'] = array( -	'COLUMNS'		=> array( -		'bbcode_id'				=> array('USINT', 0), -		'bbcode_tag'			=> array('VCHAR:16', ''), -		'bbcode_helpline'		=> array('VCHAR_UNI', ''), -		'display_on_posting'	=> array('BOOL', 0), -		'bbcode_match'			=> array('TEXT_UNI', ''), -		'bbcode_tpl'			=> array('MTEXT_UNI', ''), -		'first_pass_match'		=> array('MTEXT_UNI', ''), -		'first_pass_replace'	=> array('MTEXT_UNI', ''), -		'second_pass_match'		=> array('MTEXT_UNI', ''), -		'second_pass_replace'	=> array('MTEXT_UNI', ''), -	), -	'PRIMARY_KEY'	=> 'bbcode_id', -	'KEYS'			=> array( -		'display_on_post'		=> array('INDEX', 'display_on_posting'), -	), -); - -$schema_data['phpbb_bookmarks'] = array( -	'COLUMNS'		=> array( -		'topic_id'			=> array('UINT', 0), -		'user_id'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'			=> array('topic_id', 'user_id'), -); - -$schema_data['phpbb_bots'] = array( -	'COLUMNS'		=> array( -		'bot_id'			=> array('UINT', NULL, 'auto_increment'), -		'bot_active'		=> array('BOOL', 1), -		'bot_name'			=> array('STEXT_UNI', ''), -		'user_id'			=> array('UINT', 0), -		'bot_agent'			=> array('VCHAR', ''), -		'bot_ip'			=> array('VCHAR', ''), -	), -	'PRIMARY_KEY'	=> 'bot_id', -	'KEYS'			=> array( -		'bot_active'		=> array('INDEX', 'bot_active'), -	), -); - -$schema_data['phpbb_config'] = array( -	'COLUMNS'		=> array( -		'config_name'		=> array('VCHAR', ''), -		'config_value'		=> array('VCHAR_UNI', ''), -		'is_dynamic'		=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'config_name', -	'KEYS'			=> array( -		'is_dynamic'		=> array('INDEX', 'is_dynamic'), -	), -); - -$schema_data['phpbb_config_text'] = array( -	'COLUMNS'		=> array( -		'config_name'		=> array('VCHAR', ''), -		'config_value'		=> array('MTEXT', ''), -	), -	'PRIMARY_KEY'	=> 'config_name', -); - -$schema_data['phpbb_confirm'] = array( -	'COLUMNS'		=> array( -		'confirm_id'		=> array('CHAR:32', ''), -		'session_id'		=> array('CHAR:32', ''), -		'confirm_type'		=> array('TINT:3', 0), -		'code'				=> array('VCHAR:8', ''), -		'seed'				=> array('UINT:10', 0), -		'attempts'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> array('session_id', 'confirm_id'), -	'KEYS'			=> array( -		'confirm_type'		=> array('INDEX', 'confirm_type'), -	), -); - -$schema_data['phpbb_disallow'] = array( -	'COLUMNS'		=> array( -		'disallow_id'		=> array('UINT', NULL, 'auto_increment'), -		'disallow_username'	=> array('VCHAR_UNI:255', ''), -	), -	'PRIMARY_KEY'	=> 'disallow_id', -); - -$schema_data['phpbb_drafts'] = array( -	'COLUMNS'		=> array( -		'draft_id'			=> array('UINT', NULL, 'auto_increment'), -		'user_id'			=> array('UINT', 0), -		'topic_id'			=> array('UINT', 0), -		'forum_id'			=> array('UINT', 0), -		'save_time'			=> array('TIMESTAMP', 0), -		'draft_subject'		=> array('STEXT_UNI', ''), -		'draft_message'		=> array('MTEXT_UNI', ''), -	), -	'PRIMARY_KEY'	=> 'draft_id', -	'KEYS'			=> array( -		'save_time'			=> array('INDEX', 'save_time'), -	), -); - -$schema_data['phpbb_ext'] = array( -	'COLUMNS'		=> array( -		'ext_name'				=> array('VCHAR', ''), -		'ext_active'			=> array('BOOL', 0), -		'ext_state'				=> array('TEXT', ''), -	), -	'KEYS'			=> array( -		'ext_name'				=> array('UNIQUE', 'ext_name'), -	), -); - -$schema_data['phpbb_extensions'] = array( -	'COLUMNS'		=> array( -		'extension_id'		=> array('UINT', NULL, 'auto_increment'), -		'group_id'			=> array('UINT', 0), -		'extension'			=> array('VCHAR:100', ''), -	), -	'PRIMARY_KEY'	=> 'extension_id', -); - -$schema_data['phpbb_extension_groups'] = array( -	'COLUMNS'		=> array( -		'group_id'			=> array('UINT', NULL, 'auto_increment'), -		'group_name'		=> array('VCHAR_UNI', ''), -		'cat_id'			=> array('TINT:2', 0), -		'allow_group'		=> array('BOOL', 0), -		'download_mode'		=> array('BOOL', 1), -		'upload_icon'		=> array('VCHAR', ''), -		'max_filesize'		=> array('UINT:20', 0), -		'allowed_forums'	=> array('TEXT', ''), -		'allow_in_pm'		=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'group_id', -); - -$schema_data['phpbb_forums'] = array( -	'COLUMNS'		=> array( -		'forum_id'				=> array('UINT', NULL, 'auto_increment'), -		'parent_id'				=> array('UINT', 0), -		'left_id'				=> array('UINT', 0), -		'right_id'				=> array('UINT', 0), -		'forum_parents'			=> array('MTEXT', ''), -		'forum_name'			=> array('STEXT_UNI', ''), -		'forum_desc'			=> array('TEXT_UNI', ''), -		'forum_desc_bitfield'	=> array('VCHAR:255', ''), -		'forum_desc_options'	=> array('UINT:11', 7), -		'forum_desc_uid'		=> array('VCHAR:8', ''), -		'forum_link'			=> array('VCHAR_UNI', ''), -		'forum_password'		=> array('VCHAR_UNI:40', ''), -		'forum_style'			=> array('UINT', 0), -		'forum_image'			=> array('VCHAR', ''), -		'forum_rules'			=> array('TEXT_UNI', ''), -		'forum_rules_link'		=> array('VCHAR_UNI', ''), -		'forum_rules_bitfield'	=> array('VCHAR:255', ''), -		'forum_rules_options'	=> array('UINT:11', 7), -		'forum_rules_uid'		=> array('VCHAR:8', ''), -		'forum_topics_per_page'	=> array('TINT:4', 0), -		'forum_type'			=> array('TINT:4', 0), -		'forum_status'			=> array('TINT:4', 0), -		'forum_posts_approved'		=> array('UINT', 0), -		'forum_posts_unapproved'	=> array('UINT', 0), -		'forum_posts_softdeleted'	=> array('UINT', 0), -		'forum_topics_approved'		=> array('UINT', 0), -		'forum_topics_unapproved'	=> array('UINT', 0), -		'forum_topics_softdeleted'	=> array('UINT', 0), -		'forum_last_post_id'	=> array('UINT', 0), -		'forum_last_poster_id'	=> array('UINT', 0), -		'forum_last_post_subject' => array('STEXT_UNI', ''), -		'forum_last_post_time'	=> array('TIMESTAMP', 0), -		'forum_last_poster_name'=> array('VCHAR_UNI', ''), -		'forum_last_poster_colour'=> array('VCHAR:6', ''), -		'forum_flags'			=> array('TINT:4', 32), -		'forum_options'			=> array('UINT:20', 0), -		'display_subforum_list'	=> array('BOOL', 1), -		'display_on_index'		=> array('BOOL', 1), -		'enable_indexing'		=> array('BOOL', 1), -		'enable_icons'			=> array('BOOL', 1), -		'enable_prune'			=> array('BOOL', 0), -		'prune_next'			=> array('TIMESTAMP', 0), -		'prune_days'			=> array('UINT', 0), -		'prune_viewed'			=> array('UINT', 0), -		'prune_freq'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'forum_id', -	'KEYS'			=> array( -		'left_right_id'			=> array('INDEX', array('left_id', 'right_id')), -		'forum_lastpost_id'		=> array('INDEX', 'forum_last_post_id'), -	), -); - -$schema_data['phpbb_forums_access'] = array( -	'COLUMNS'		=> array( -		'forum_id'				=> array('UINT', 0), -		'user_id'				=> array('UINT', 0), -		'session_id'			=> array('CHAR:32', ''), -	), -	'PRIMARY_KEY'	=> array('forum_id', 'user_id', 'session_id'), -); - -$schema_data['phpbb_forums_track'] = array( -	'COLUMNS'		=> array( -		'user_id'				=> array('UINT', 0), -		'forum_id'				=> array('UINT', 0), -		'mark_time'				=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> array('user_id', 'forum_id'), -); - -$schema_data['phpbb_forums_watch'] = array( -	'COLUMNS'		=> array( -		'forum_id'				=> array('UINT', 0), -		'user_id'				=> array('UINT', 0), -		'notify_status'			=> array('BOOL', 0), -	), -	'KEYS'			=> array( -		'forum_id'				=> array('INDEX', 'forum_id'), -		'user_id'				=> array('INDEX', 'user_id'), -		'notify_stat'			=> array('INDEX', 'notify_status'), -	), -); - -$schema_data['phpbb_groups'] = array( -	'COLUMNS'		=> array( -		'group_id'				=> array('UINT', NULL, 'auto_increment'), -		'group_type'			=> array('TINT:4', 1), -		'group_founder_manage'	=> array('BOOL', 0), -		'group_skip_auth'		=> array('BOOL', 0), -		'group_name'			=> array('VCHAR_CI', ''), -		'group_desc'			=> array('TEXT_UNI', ''), -		'group_desc_bitfield'	=> array('VCHAR:255', ''), -		'group_desc_options'	=> array('UINT:11', 7), -		'group_desc_uid'		=> array('VCHAR:8', ''), -		'group_display'			=> array('BOOL', 0), -		'group_avatar'			=> array('VCHAR', ''), -		'group_avatar_type'		=> array('VCHAR:255', ''), -		'group_avatar_width'	=> array('USINT', 0), -		'group_avatar_height'	=> array('USINT', 0), -		'group_rank'			=> array('UINT', 0), -		'group_colour'			=> array('VCHAR:6', ''), -		'group_sig_chars'		=> array('UINT', 0), -		'group_receive_pm'		=> array('BOOL', 0), -		'group_message_limit'	=> array('UINT', 0), -		'group_max_recipients'	=> array('UINT', 0), -		'group_legend'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'group_id', -	'KEYS'			=> array( -		'group_legend_name'		=> array('INDEX', array('group_legend', 'group_name')), -	), -); - -$schema_data['phpbb_icons'] = array( -	'COLUMNS'		=> array( -		'icons_id'				=> array('UINT', NULL, 'auto_increment'), -		'icons_url'				=> array('VCHAR', ''), -		'icons_width'			=> array('TINT:4', 0), -		'icons_height'			=> array('TINT:4', 0), -		'icons_order'			=> array('UINT', 0), -		'display_on_posting'	=> array('BOOL', 1), -	), -	'PRIMARY_KEY'	=> 'icons_id', -	'KEYS'			=> array( -		'display_on_posting'	=> array('INDEX', 'display_on_posting'), -	), -); - -$schema_data['phpbb_lang'] = array( -	'COLUMNS'		=> array( -		'lang_id'				=> array('TINT:4', NULL, 'auto_increment'), -		'lang_iso'				=> array('VCHAR:30', ''), -		'lang_dir'				=> array('VCHAR:30', ''), -		'lang_english_name'		=> array('VCHAR_UNI:100', ''), -		'lang_local_name'		=> array('VCHAR_UNI:255', ''), -		'lang_author'			=> array('VCHAR_UNI:255', ''), -	), -	'PRIMARY_KEY'	=> 'lang_id', -	'KEYS'			=> array( -		'lang_iso'				=> array('INDEX', 'lang_iso'), -	), -); - -$schema_data['phpbb_log'] = array( -	'COLUMNS'		=> array( -		'log_id'				=> array('UINT', NULL, 'auto_increment'), -		'log_type'				=> array('TINT:4', 0), -		'user_id'				=> array('UINT', 0), -		'forum_id'				=> array('UINT', 0), -		'topic_id'				=> array('UINT', 0), -		'reportee_id'			=> array('UINT', 0), -		'log_ip'				=> array('VCHAR:40', ''), -		'log_time'				=> array('TIMESTAMP', 0), -		'log_operation'			=> array('TEXT_UNI', ''), -		'log_data'				=> array('MTEXT_UNI', ''), -	), -	'PRIMARY_KEY'	=> 'log_id', -	'KEYS'			=> array( -		'log_type'				=> array('INDEX', 'log_type'), -		'log_time'				=> array('INDEX', 'log_time'), -		'forum_id'				=> array('INDEX', 'forum_id'), -		'topic_id'				=> array('INDEX', 'topic_id'), -		'reportee_id'			=> array('INDEX', 'reportee_id'), -		'user_id'				=> array('INDEX', 'user_id'), -	), -); - -$schema_data['phpbb_login_attempts'] = array( -	'COLUMNS'		=> array( -		'attempt_ip'			=> array('VCHAR:40', ''), -		'attempt_browser'		=> array('VCHAR:150', ''), -		'attempt_forwarded_for'	=> array('VCHAR:255', ''), -		'attempt_time'			=> array('TIMESTAMP', 0), -		'user_id'				=> array('UINT', 0), -		'username'				=> array('VCHAR_UNI:255', 0), -		'username_clean'		=> array('VCHAR_CI', 0), -	), -	'KEYS'			=> array( -		'att_ip'				=> array('INDEX', array('attempt_ip', 'attempt_time')), -		'att_for'		=> array('INDEX', array('attempt_forwarded_for', 'attempt_time')), -		'att_time'				=> array('INDEX', array('attempt_time')), -		'user_id'					=> array('INDEX', 'user_id'), -	), -); - -$schema_data['phpbb_moderator_cache'] = array( -	'COLUMNS'		=> array( -		'forum_id'				=> array('UINT', 0), -		'user_id'				=> array('UINT', 0), -		'username'				=> array('VCHAR_UNI:255', ''), -		'group_id'				=> array('UINT', 0), -		'group_name'			=> array('VCHAR_UNI', ''), -		'display_on_index'		=> array('BOOL', 1), -	), -	'KEYS'			=> array( -		'disp_idx'				=> array('INDEX', 'display_on_index'), -		'forum_id'				=> array('INDEX', 'forum_id'), -	), -); - -$schema_data['phpbb_migrations'] = array( -	'COLUMNS'		=> array( -		'migration_name'			=> array('VCHAR', ''), -		'migration_depends_on'		=> array('TEXT', ''), -		'migration_schema_done'		=> array('BOOL', 0), -		'migration_data_done'		=> array('BOOL', 0), -		'migration_data_state'		=> array('TEXT', ''), -		'migration_start_time'		=> array('TIMESTAMP', 0), -		'migration_end_time'		=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> 'migration_name', -); - -$schema_data['phpbb_modules'] = array( -	'COLUMNS'		=> array( -		'module_id'				=> array('UINT', NULL, 'auto_increment'), -		'module_enabled'		=> array('BOOL', 1), -		'module_display'		=> array('BOOL', 1), -		'module_basename'		=> array('VCHAR', ''), -		'module_class'			=> array('VCHAR:10', ''), -		'parent_id'				=> array('UINT', 0), -		'left_id'				=> array('UINT', 0), -		'right_id'				=> array('UINT', 0), -		'module_langname'		=> array('VCHAR', ''), -		'module_mode'			=> array('VCHAR', ''), -		'module_auth'			=> array('VCHAR', ''), -	), -	'PRIMARY_KEY'	=> 'module_id', -	'KEYS'			=> array( -		'left_right_id'			=> array('INDEX', array('left_id', 'right_id')), -		'module_enabled'		=> array('INDEX', 'module_enabled'), -		'class_left_id'			=> array('INDEX', array('module_class', 'left_id')), -	), -); - -$schema_data['phpbb_notification_types'] = array( -	'COLUMNS'			=> array( -		'notification_type_id'		=> array('USINT', NULL, 'auto_increment'), -		'notification_type_name'	=> array('VCHAR:255', ''), -		'notification_type_enabled'	=> array('BOOL', 1), -	), -	'PRIMARY_KEY'		=> array('notification_type_id'), -	'KEYS'				=> array( -		'type'			=> array('UNIQUE', array('notification_type_name')), -	), -); - -$schema_data['phpbb_notifications'] = array( -	'COLUMNS'			=> array( -		'notification_id'				=> array('UINT:10', NULL, 'auto_increment'), -		'notification_type_id'			=> array('USINT', 0), -		'item_id'						=> array('UINT', 0), -		'item_parent_id'				=> array('UINT', 0), -		'user_id'						=> array('UINT', 0), -		'notification_read'				=> array('BOOL', 0), -		'notification_time'				=> array('TIMESTAMP', 1), -		'notification_data'				=> array('TEXT_UNI', ''), -	), -	'PRIMARY_KEY'		=> 'notification_id', -	'KEYS'				=> array( -		'item_ident'		=> array('INDEX', array('notification_type_id', 'item_id')), -		'user'				=> array('INDEX', array('user_id', 'notification_read')), -	), -); - -$schema_data['phpbb_oauth_accounts'] = array( -	'COLUMNS' => array( -		'user_id'			=> array('UINT', 0), -		'provider'			=> array('VCHAR', ''), -		'oauth_provider_id'	=> array('TEXT_UNI', ''), -	), -	'PRIMARY_KEY' => array( -		'user_id', -		'provider', -	), -); - -$schema_data['phpbb_oauth_tokens'] = array( -	'COLUMNS' => array( -		'user_id'			=> array('UINT', 0), // phpbb_users.user_id -		'session_id'		=> array('CHAR:32', ''), // phpbb_sessions.session_id used only when user_id not set -		'provider'			=> array('VCHAR', ''), // Name of the OAuth provider -		'oauth_token'		=> array('MTEXT', ''), // Serialized token -	), -	'KEYS' => array( -		'user_id'			=> array('INDEX', 'user_id'), -		'provider'			=> array('INDEX', 'provider'), -	), -); - -$schema_data['phpbb_poll_options'] = array( -	'COLUMNS'		=> array( -		'poll_option_id'		=> array('TINT:4', 0), -		'topic_id'				=> array('UINT', 0), -		'poll_option_text'		=> array('TEXT_UNI', ''), -		'poll_option_total'		=> array('UINT', 0), -	), -	'KEYS'			=> array( -		'poll_opt_id'			=> array('INDEX', 'poll_option_id'), -		'topic_id'				=> array('INDEX', 'topic_id'), -	), -); - -$schema_data['phpbb_poll_votes'] = array( -	'COLUMNS'		=> array( -		'topic_id'				=> array('UINT', 0), -		'poll_option_id'		=> array('TINT:4', 0), -		'vote_user_id'			=> array('UINT', 0), -		'vote_user_ip'			=> array('VCHAR:40', ''), -	), -	'KEYS'			=> array( -		'topic_id'				=> array('INDEX', 'topic_id'), -		'vote_user_id'			=> array('INDEX', 'vote_user_id'), -		'vote_user_ip'			=> array('INDEX', 'vote_user_ip'), -	), -); - -$schema_data['phpbb_posts'] = array( -	'COLUMNS'		=> array( -		'post_id'				=> array('UINT', NULL, 'auto_increment'), -		'topic_id'				=> array('UINT', 0), -		'forum_id'				=> array('UINT', 0), -		'poster_id'				=> array('UINT', 0), -		'icon_id'				=> array('UINT', 0), -		'poster_ip'				=> array('VCHAR:40', ''), -		'post_time'				=> array('TIMESTAMP', 0), -		'post_visibility'		=> array('TINT:3', 0), -		'post_reported'			=> array('BOOL', 0), -		'enable_bbcode'			=> array('BOOL', 1), -		'enable_smilies'		=> array('BOOL', 1), -		'enable_magic_url'		=> array('BOOL', 1), -		'enable_sig'			=> array('BOOL', 1), -		'post_username'			=> array('VCHAR_UNI:255', ''), -		'post_subject'			=> array('STEXT_UNI', '', 'true_sort'), -		'post_text'				=> array('MTEXT_UNI', ''), -		'post_checksum'			=> array('VCHAR:32', ''), -		'post_attachment'		=> array('BOOL', 0), -		'bbcode_bitfield'		=> array('VCHAR:255', ''), -		'bbcode_uid'			=> array('VCHAR:8', ''), -		'post_postcount'		=> array('BOOL', 1), -		'post_edit_time'		=> array('TIMESTAMP', 0), -		'post_edit_reason'		=> array('STEXT_UNI', ''), -		'post_edit_user'		=> array('UINT', 0), -		'post_edit_count'		=> array('USINT', 0), -		'post_edit_locked'		=> array('BOOL', 0), -		'post_delete_time'		=> array('TIMESTAMP', 0), -		'post_delete_reason'	=> array('STEXT_UNI', ''), -		'post_delete_user'		=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'post_id', -	'KEYS'			=> array( -		'forum_id'				=> array('INDEX', 'forum_id'), -		'topic_id'				=> array('INDEX', 'topic_id'), -		'poster_ip'				=> array('INDEX', 'poster_ip'), -		'poster_id'				=> array('INDEX', 'poster_id'), -		'post_visibility'		=> array('INDEX', 'post_visibility'), -		'post_username'			=> array('INDEX', 'post_username'), -		'tid_post_time'			=> array('INDEX', array('topic_id', 'post_time')), -	), -); - -$schema_data['phpbb_privmsgs'] = array( -	'COLUMNS'		=> array( -		'msg_id'				=> array('UINT', NULL, 'auto_increment'), -		'root_level'			=> array('UINT', 0), -		'author_id'				=> array('UINT', 0), -		'icon_id'				=> array('UINT', 0), -		'author_ip'				=> array('VCHAR:40', ''), -		'message_time'			=> array('TIMESTAMP', 0), -		'enable_bbcode'			=> array('BOOL', 1), -		'enable_smilies'		=> array('BOOL', 1), -		'enable_magic_url'		=> array('BOOL', 1), -		'enable_sig'			=> array('BOOL', 1), -		'message_subject'		=> array('STEXT_UNI', ''), -		'message_text'			=> array('MTEXT_UNI', ''), -		'message_edit_reason'	=> array('STEXT_UNI', ''), -		'message_edit_user'		=> array('UINT', 0), -		'message_attachment'	=> array('BOOL', 0), -		'bbcode_bitfield'		=> array('VCHAR:255', ''), -		'bbcode_uid'			=> array('VCHAR:8', ''), -		'message_edit_time'		=> array('TIMESTAMP', 0), -		'message_edit_count'	=> array('USINT', 0), -		'to_address'			=> array('TEXT_UNI', ''), -		'bcc_address'			=> array('TEXT_UNI', ''), -		'message_reported'		=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'msg_id', -	'KEYS'			=> array( -		'author_ip'				=> array('INDEX', 'author_ip'), -		'message_time'			=> array('INDEX', 'message_time'), -		'author_id'				=> array('INDEX', 'author_id'), -		'root_level'			=> array('INDEX', 'root_level'), -	), -); - -$schema_data['phpbb_privmsgs_folder'] = array( -	'COLUMNS'		=> array( -		'folder_id'				=> array('UINT', NULL, 'auto_increment'), -		'user_id'				=> array('UINT', 0), -		'folder_name'			=> array('VCHAR_UNI', ''), -		'pm_count'				=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'folder_id', -	'KEYS'			=> array( -		'user_id'				=> array('INDEX', 'user_id'), -	), -); - -$schema_data['phpbb_privmsgs_rules'] = array( -	'COLUMNS'		=> array( -		'rule_id'				=> array('UINT', NULL, 'auto_increment'), -		'user_id'				=> array('UINT', 0), -		'rule_check'			=> array('UINT', 0), -		'rule_connection'		=> array('UINT', 0), -		'rule_string'			=> array('VCHAR_UNI', ''), -		'rule_user_id'			=> array('UINT', 0), -		'rule_group_id'			=> array('UINT', 0), -		'rule_action'			=> array('UINT', 0), -		'rule_folder_id'		=> array('INT:11', 0), -	), -	'PRIMARY_KEY'	=> 'rule_id', -	'KEYS'			=> array( -		'user_id'				=> array('INDEX', 'user_id'), -	), -); - -$schema_data['phpbb_privmsgs_to'] = array( -	'COLUMNS'		=> array( -		'msg_id'				=> array('UINT', 0), -		'user_id'				=> array('UINT', 0), -		'author_id'				=> array('UINT', 0), -		'pm_deleted'			=> array('BOOL', 0), -		'pm_new'				=> array('BOOL', 1), -		'pm_unread'				=> array('BOOL', 1), -		'pm_replied'			=> array('BOOL', 0), -		'pm_marked'				=> array('BOOL', 0), -		'pm_forwarded'			=> array('BOOL', 0), -		'folder_id'				=> array('INT:11', 0), -	), -	'KEYS'			=> array( -		'msg_id'				=> array('INDEX', 'msg_id'), -		'author_id'				=> array('INDEX', 'author_id'), -		'usr_flder_id'			=> array('INDEX', array('user_id', 'folder_id')), -	), -); - -$schema_data['phpbb_profile_fields'] = array( -	'COLUMNS'		=> array( -		'field_id'				=> array('UINT', NULL, 'auto_increment'), -		'field_name'			=> array('VCHAR_UNI', ''), -		'field_type'			=> array('TINT:4', 0), -		'field_ident'			=> array('VCHAR:20', ''), -		'field_length'			=> array('VCHAR:20', ''), -		'field_minlen'			=> array('VCHAR', ''), -		'field_maxlen'			=> array('VCHAR', ''), -		'field_novalue'			=> array('VCHAR_UNI', ''), -		'field_default_value'	=> array('VCHAR_UNI', ''), -		'field_validation'		=> array('VCHAR_UNI:20', ''), -		'field_required'		=> array('BOOL', 0), -		'field_show_novalue'	=> array('BOOL', 0), -		'field_show_on_reg'		=> array('BOOL', 0), -		'field_show_on_pm'		=> array('BOOL', 0), -		'field_show_on_vt'		=> array('BOOL', 0), -		'field_show_profile'	=> array('BOOL', 0), -		'field_hide'			=> array('BOOL', 0), -		'field_no_view'			=> array('BOOL', 0), -		'field_active'			=> array('BOOL', 0), -		'field_order'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'field_id', -	'KEYS'			=> array( -		'fld_type'			=> array('INDEX', 'field_type'), -		'fld_ordr'			=> array('INDEX', 'field_order'), -	), -); - -$schema_data['phpbb_profile_fields_data'] = array( -	'COLUMNS'		=> array( -		'user_id'				=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'user_id', -); - -$schema_data['phpbb_profile_fields_lang'] = array( -	'COLUMNS'		=> array( -		'field_id'				=> array('UINT', 0), -		'lang_id'				=> array('UINT', 0), -		'option_id'				=> array('UINT', 0), -		'field_type'			=> array('TINT:4', 0), -		'lang_value'			=> array('VCHAR_UNI', ''), -	), -	'PRIMARY_KEY'	=> array('field_id', 'lang_id', 'option_id'), -); - -$schema_data['phpbb_profile_lang'] = array( -	'COLUMNS'		=> array( -		'field_id'				=> array('UINT', 0), -		'lang_id'				=> array('UINT', 0), -		'lang_name'				=> array('VCHAR_UNI', ''), -		'lang_explain'			=> array('TEXT_UNI', ''), -		'lang_default_value'	=> array('VCHAR_UNI', ''), -	), -	'PRIMARY_KEY'	=> array('field_id', 'lang_id'), -); - -$schema_data['phpbb_ranks'] = array( -	'COLUMNS'		=> array( -		'rank_id'				=> array('UINT', NULL, 'auto_increment'), -		'rank_title'			=> array('VCHAR_UNI', ''), -		'rank_min'				=> array('UINT', 0), -		'rank_special'			=> array('BOOL', 0), -		'rank_image'			=> array('VCHAR', ''), -	), -	'PRIMARY_KEY'	=> 'rank_id', -); - -$schema_data['phpbb_reports'] = array( -	'COLUMNS'		=> array( -		'report_id'							=> array('UINT', NULL, 'auto_increment'), -		'reason_id'							=> array('USINT', 0), -		'post_id'							=> array('UINT', 0), -		'pm_id'								=> array('UINT', 0), -		'user_id'							=> array('UINT', 0), -		'user_notify'						=> array('BOOL', 0), -		'report_closed'						=> array('BOOL', 0), -		'report_time'						=> array('TIMESTAMP', 0), -		'report_text'						=> array('MTEXT_UNI', ''), -		'reported_post_text'				=> array('MTEXT_UNI', ''), -		'reported_post_uid'					=> array('VCHAR:8', ''), -		'reported_post_bitfield'			=> array('VCHAR:255', ''), -		'reported_post_enable_magic_url'	=> array('BOOL', 1), -		'reported_post_enable_smilies'		=> array('BOOL', 1), -		'reported_post_enable_bbcode'		=> array('BOOL', 1) -	), -	'PRIMARY_KEY'	=> 'report_id', -	'KEYS'			=> array( -		'post_id'			=> array('INDEX', 'post_id'), -		'pm_id'				=> array('INDEX', 'pm_id'), -	), -); - -$schema_data['phpbb_reports_reasons'] = array( -	'COLUMNS'		=> array( -		'reason_id'				=> array('USINT', NULL, 'auto_increment'), -		'reason_title'			=> array('VCHAR_UNI', ''), -		'reason_description'	=> array('MTEXT_UNI', ''), -		'reason_order'			=> array('USINT', 0), -	), -	'PRIMARY_KEY'	=> 'reason_id', -); - -$schema_data['phpbb_search_results'] = array( -	'COLUMNS'		=> array( -		'search_key'			=> array('VCHAR:32', ''), -		'search_time'			=> array('TIMESTAMP', 0), -		'search_keywords'		=> array('MTEXT_UNI', ''), -		'search_authors'		=> array('MTEXT', ''), -	), -	'PRIMARY_KEY'	=> 'search_key', -); - -$schema_data['phpbb_search_wordlist'] = array( -	'COLUMNS'		=> array( -		'word_id'			=> array('UINT', NULL, 'auto_increment'), -		'word_text'			=> array('VCHAR_UNI', ''), -		'word_common'		=> array('BOOL', 0), -		'word_count'		=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'word_id', -	'KEYS'			=> array( -		'wrd_txt'			=> array('UNIQUE', 'word_text'), -		'wrd_cnt'			=> array('INDEX', 'word_count'), -	), -); - -$schema_data['phpbb_search_wordmatch'] = array( -	'COLUMNS'		=> array( -		'post_id'			=> array('UINT', 0), -		'word_id'			=> array('UINT', 0), -		'title_match'		=> array('BOOL', 0), -	), -	'KEYS'			=> array( -		'unq_mtch'			=> array('UNIQUE', array('word_id', 'post_id', 'title_match')), -		'word_id'			=> array('INDEX', 'word_id'), -		'post_id'			=> array('INDEX', 'post_id'), -	), -); - -$schema_data['phpbb_sessions'] = array( -	'COLUMNS'		=> array( -		'session_id'			=> array('CHAR:32', ''), -		'session_user_id'		=> array('UINT', 0), -		'session_forum_id'		=> array('UINT', 0), -		'session_last_visit'	=> array('TIMESTAMP', 0), -		'session_start'			=> array('TIMESTAMP', 0), -		'session_time'			=> array('TIMESTAMP', 0), -		'session_ip'			=> array('VCHAR:40', ''), -		'session_browser'		=> array('VCHAR:150', ''), -		'session_forwarded_for'	=> array('VCHAR:255', ''), -		'session_page'			=> array('VCHAR_UNI', ''), -		'session_viewonline'	=> array('BOOL', 1), -		'session_autologin'		=> array('BOOL', 0), -		'session_admin'			=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> 'session_id', -	'KEYS'			=> array( -		'session_time'		=> array('INDEX', 'session_time'), -		'session_user_id'	=> array('INDEX', 'session_user_id'), -		'session_fid'		=> array('INDEX', 'session_forum_id'), -	), -); - -$schema_data['phpbb_sessions_keys'] = array( -	'COLUMNS'		=> array( -		'key_id'			=> array('CHAR:32', ''), -		'user_id'			=> array('UINT', 0), -		'last_ip'			=> array('VCHAR:40', ''), -		'last_login'		=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> array('key_id', 'user_id'), -	'KEYS'			=> array( -		'last_login'		=> array('INDEX', 'last_login'), -	), -); - -$schema_data['phpbb_sitelist'] = array( -	'COLUMNS'		=> array( -		'site_id'		=> array('UINT', NULL, 'auto_increment'), -		'site_ip'		=> array('VCHAR:40', ''), -		'site_hostname'	=> array('VCHAR', ''), -		'ip_exclude'	=> array('BOOL', 0), -	), -	'PRIMARY_KEY'		=> 'site_id', -); - -$schema_data['phpbb_smilies'] = array( -	'COLUMNS'		=> array( -		'smiley_id'			=> array('UINT', NULL, 'auto_increment'), -		// We may want to set 'code' to VCHAR:50 or check if unicode support is possible... at the moment only ASCII characters are allowed. -		'code'				=> array('VCHAR_UNI:50', ''), -		'emotion'			=> array('VCHAR_UNI:50', ''), -		'smiley_url'		=> array('VCHAR:50', ''), -		'smiley_width'		=> array('USINT', 0), -		'smiley_height'		=> array('USINT', 0), -		'smiley_order'		=> array('UINT', 0), -		'display_on_posting'=> array('BOOL', 1), -	), -	'PRIMARY_KEY'	=> 'smiley_id', -	'KEYS'			=> array( -		'display_on_post'		=> array('INDEX', 'display_on_posting'), -	), -); - -$schema_data['phpbb_styles'] = array( -	'COLUMNS'		=> array( -		'style_id'				=> array('UINT', NULL, 'auto_increment'), -		'style_name'			=> array('VCHAR_UNI:255', ''), -		'style_copyright'		=> array('VCHAR_UNI', ''), -		'style_active'			=> array('BOOL', 1), -		'style_path'			=> array('VCHAR:100', ''), -		'bbcode_bitfield'		=> array('VCHAR:255', 'kNg='), -		'style_parent_id'		=> array('UINT:4', 0), -		'style_parent_tree'		=> array('TEXT', ''), -	), -	'PRIMARY_KEY'	=> 'style_id', -	'KEYS'			=> array( -		'style_name'		=> array('UNIQUE', 'style_name'), -	), -); - -$schema_data['phpbb_teampage'] = array( -	'COLUMNS'		=> array( -		'teampage_id'		=> array('UINT', NULL, 'auto_increment'), -		'group_id'			=> array('UINT', 0), -		'teampage_name'		=> array('VCHAR_UNI:255', ''), -		'teampage_position'	=> array('UINT', 0), -		'teampage_parent'	=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'teampage_id', -); - -$schema_data['phpbb_topics'] = array( -	'COLUMNS'		=> array( -		'topic_id'					=> array('UINT', NULL, 'auto_increment'), -		'forum_id'					=> array('UINT', 0), -		'icon_id'					=> array('UINT', 0), -		'topic_attachment'			=> array('BOOL', 0), -		'topic_visibility'			=> array('TINT:3', 0), -		'topic_reported'			=> array('BOOL', 0), -		'topic_title'				=> array('STEXT_UNI', '', 'true_sort'), -		'topic_poster'				=> array('UINT', 0), -		'topic_time'				=> array('TIMESTAMP', 0), -		'topic_time_limit'			=> array('TIMESTAMP', 0), -		'topic_views'				=> array('UINT', 0), -		'topic_posts_approved'		=> array('UINT', 0), -		'topic_posts_unapproved'	=> array('UINT', 0), -		'topic_posts_softdeleted'	=> array('UINT', 0), -		'topic_status'				=> array('TINT:3', 0), -		'topic_type'				=> array('TINT:3', 0), -		'topic_first_post_id'		=> array('UINT', 0), -		'topic_first_poster_name'	=> array('VCHAR_UNI', ''), -		'topic_first_poster_colour'	=> array('VCHAR:6', ''), -		'topic_last_post_id'		=> array('UINT', 0), -		'topic_last_poster_id'		=> array('UINT', 0), -		'topic_last_poster_name'	=> array('VCHAR_UNI', ''), -		'topic_last_poster_colour'	=> array('VCHAR:6', ''), -		'topic_last_post_subject'	=> array('STEXT_UNI', ''), -		'topic_last_post_time'		=> array('TIMESTAMP', 0), -		'topic_last_view_time'		=> array('TIMESTAMP', 0), -		'topic_moved_id'			=> array('UINT', 0), -		'topic_bumped'				=> array('BOOL', 0), -		'topic_bumper'				=> array('UINT', 0), -		'poll_title'				=> array('STEXT_UNI', ''), -		'poll_start'				=> array('TIMESTAMP', 0), -		'poll_length'				=> array('TIMESTAMP', 0), -		'poll_max_options'			=> array('TINT:4', 1), -		'poll_last_vote'			=> array('TIMESTAMP', 0), -		'poll_vote_change'			=> array('BOOL', 0), -		'topic_delete_time'			=> array('TIMESTAMP', 0), -		'topic_delete_reason'		=> array('STEXT_UNI', ''), -		'topic_delete_user'			=> array('UINT', 0), -	), -	'PRIMARY_KEY'	=> 'topic_id', -	'KEYS'			=> array( -		'forum_id'			=> array('INDEX', 'forum_id'), -		'forum_id_type'		=> array('INDEX', array('forum_id', 'topic_type')), -		'last_post_time'	=> array('INDEX', 'topic_last_post_time'), -		'topic_visibility'	=> array('INDEX', 'topic_visibility'), -		'forum_appr_last'	=> array('INDEX', array('forum_id', 'topic_visibility', 'topic_last_post_id')), -		'fid_time_moved'	=> array('INDEX', array('forum_id', 'topic_last_post_time', 'topic_moved_id')), -	), -); - -$schema_data['phpbb_topics_track'] = array( -	'COLUMNS'		=> array( -		'user_id'			=> array('UINT', 0), -		'topic_id'			=> array('UINT', 0), -		'forum_id'			=> array('UINT', 0), -		'mark_time'			=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> array('user_id', 'topic_id'), -	'KEYS'			=> array( -		'topic_id'			=> array('INDEX', 'topic_id'), -		'forum_id'			=> array('INDEX', 'forum_id'), -	), -); - -$schema_data['phpbb_topics_posted'] = array( -	'COLUMNS'		=> array( -		'user_id'			=> array('UINT', 0), -		'topic_id'			=> array('UINT', 0), -		'topic_posted'		=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> array('user_id', 'topic_id'), -); - -$schema_data['phpbb_topics_watch'] = array( -	'COLUMNS'		=> array( -		'topic_id'			=> array('UINT', 0), -		'user_id'			=> array('UINT', 0), -		'notify_status'		=> array('BOOL', 0), -	), -	'KEYS'			=> array( -		'topic_id'			=> array('INDEX', 'topic_id'), -		'user_id'			=> array('INDEX', 'user_id'), -		'notify_stat'		=> array('INDEX', 'notify_status'), -	), -); - -$schema_data['phpbb_user_notifications'] = array( -	'COLUMNS'		=> array( -		'item_type'			=> array('VCHAR:255', ''), -		'item_id'			=> array('UINT', 0), -		'user_id'			=> array('UINT', 0), -		'method'			=> array('VCHAR:255', ''), -		'notify'			=> array('BOOL', 1), -	), -); - -$schema_data['phpbb_user_group'] = array( -	'COLUMNS'		=> array( -		'group_id'			=> array('UINT', 0), -		'user_id'			=> array('UINT', 0), -		'group_leader'		=> array('BOOL', 0), -		'user_pending'		=> array('BOOL', 1), -	), -	'KEYS'			=> array( -		'group_id'			=> array('INDEX', 'group_id'), -		'user_id'			=> array('INDEX', 'user_id'), -		'group_leader'		=> array('INDEX', 'group_leader'), -	), -); - -$schema_data['phpbb_users'] = array( -	'COLUMNS'		=> array( -		'user_id'					=> array('UINT', NULL, 'auto_increment'), -		'user_type'					=> array('TINT:2', 0), -		'group_id'					=> array('UINT', 3), -		'user_permissions'			=> array('MTEXT', ''), -		'user_perm_from'			=> array('UINT', 0), -		'user_ip'					=> array('VCHAR:40', ''), -		'user_regdate'				=> array('TIMESTAMP', 0), -		'username'					=> array('VCHAR_CI', ''), -		'username_clean'			=> array('VCHAR_CI', ''), -		'user_password'				=> array('VCHAR_UNI:40', ''), -		'user_passchg'				=> array('TIMESTAMP', 0), -		'user_pass_convert'			=> array('BOOL', 0), -		'user_email'				=> array('VCHAR_UNI:100', ''), -		'user_email_hash'			=> array('BINT', 0), -		'user_birthday'				=> array('VCHAR:10', ''), -		'user_lastvisit'			=> array('TIMESTAMP', 0), -		'user_lastmark'				=> array('TIMESTAMP', 0), -		'user_lastpost_time'		=> array('TIMESTAMP', 0), -		'user_lastpage'				=> array('VCHAR_UNI:200', ''), -		'user_last_confirm_key'		=> array('VCHAR:10', ''), -		'user_last_search'			=> array('TIMESTAMP', 0), -		'user_warnings'				=> array('TINT:4', 0), -		'user_last_warning'			=> array('TIMESTAMP', 0), -		'user_login_attempts'		=> array('TINT:4', 0), -		'user_inactive_reason'		=> array('TINT:2', 0), -		'user_inactive_time'		=> array('TIMESTAMP', 0), -		'user_posts'				=> array('UINT', 0), -		'user_lang'					=> array('VCHAR:30', ''), -		'user_timezone'				=> array('VCHAR:100', 'UTC'), -		'user_dateformat'			=> array('VCHAR_UNI:30', 'd M Y H:i'), -		'user_style'				=> array('UINT', 0), -		'user_rank'					=> array('UINT', 0), -		'user_colour'				=> array('VCHAR:6', ''), -		'user_new_privmsg'			=> array('INT:4', 0), -		'user_unread_privmsg'		=> array('INT:4', 0), -		'user_last_privmsg'			=> array('TIMESTAMP', 0), -		'user_message_rules'		=> array('BOOL', 0), -		'user_full_folder'			=> array('INT:11', -3), -		'user_emailtime'			=> array('TIMESTAMP', 0), -		'user_topic_show_days'		=> array('USINT', 0), -		'user_topic_sortby_type'	=> array('VCHAR:1', 't'), -		'user_topic_sortby_dir'		=> array('VCHAR:1', 'd'), -		'user_post_show_days'		=> array('USINT', 0), -		'user_post_sortby_type'		=> array('VCHAR:1', 't'), -		'user_post_sortby_dir'		=> array('VCHAR:1', 'a'), -		'user_notify'				=> array('BOOL', 0), -		'user_notify_pm'			=> array('BOOL', 1), -		'user_notify_type'			=> array('TINT:4', 0), -		'user_allow_pm'				=> array('BOOL', 1), -		'user_allow_viewonline'		=> array('BOOL', 1), -		'user_allow_viewemail'		=> array('BOOL', 1), -		'user_allow_massemail'		=> array('BOOL', 1), -		'user_options'				=> array('UINT:11', 230271), -		'user_avatar'				=> array('VCHAR', ''), -		'user_avatar_type'			=> array('VCHAR:255', ''), -		'user_avatar_width'			=> array('USINT', 0), -		'user_avatar_height'		=> array('USINT', 0), -		'user_sig'					=> array('MTEXT_UNI', ''), -		'user_sig_bbcode_uid'		=> array('VCHAR:8', ''), -		'user_sig_bbcode_bitfield'	=> array('VCHAR:255', ''), -		'user_from'					=> array('VCHAR_UNI:100', ''), -		'user_icq'					=> array('VCHAR:15', ''), -		'user_aim'					=> array('VCHAR_UNI', ''), -		'user_yim'					=> array('VCHAR_UNI', ''), -		'user_msnm'					=> array('VCHAR_UNI', ''), -		'user_jabber'				=> array('VCHAR_UNI', ''), -		'user_website'				=> array('VCHAR_UNI:200', ''), -		'user_occ'					=> array('TEXT_UNI', ''), -		'user_interests'			=> array('TEXT_UNI', ''), -		'user_actkey'				=> array('VCHAR:32', ''), -		'user_newpasswd'			=> array('VCHAR_UNI:40', ''), -		'user_form_salt'			=> array('VCHAR_UNI:32', ''), -		'user_new'					=> array('BOOL', 1), -		'user_reminded'				=> array('TINT:4', 0), -		'user_reminded_time'		=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> 'user_id', -	'KEYS'			=> array( -		'user_birthday'				=> array('INDEX', 'user_birthday'), -		'user_email_hash'			=> array('INDEX', 'user_email_hash'), -		'user_type'					=> array('INDEX', 'user_type'), -		'username_clean'			=> array('UNIQUE', 'username_clean'), -	), -); - -$schema_data['phpbb_warnings'] = array( -	'COLUMNS'		=> array( -		'warning_id'			=> array('UINT', NULL, 'auto_increment'), -		'user_id'				=> array('UINT', 0), -		'post_id'				=> array('UINT', 0), -		'log_id'				=> array('UINT', 0), -		'warning_time'			=> array('TIMESTAMP', 0), -	), -	'PRIMARY_KEY'	=> 'warning_id', -); - -$schema_data['phpbb_words'] = array( -	'COLUMNS'		=> array( -		'word_id'				=> array('UINT', NULL, 'auto_increment'), -		'word'					=> array('VCHAR_UNI', ''), -		'replacement'			=> array('VCHAR_UNI', ''), -	), -	'PRIMARY_KEY'	=> 'word_id', -); - -$schema_data['phpbb_zebra'] = array( -	'COLUMNS'		=> array( -		'user_id'				=> array('UINT', 0), -		'zebra_id'				=> array('UINT', 0), -		'friend'				=> array('BOOL', 0), -		'foe'					=> array('BOOL', 0), -	), -	'PRIMARY_KEY'	=> array('user_id', 'zebra_id'), -); diff --git a/phpBB/includes/functions.php b/phpBB/includes/functions.php index 0d6c7be117..7b6345b9e3 100644 --- a/phpBB/includes/functions.php +++ b/phpBB/includes/functions.php @@ -368,207 +368,6 @@ function still_on_time($extra_time = 15)  }  /** -* -* @version Version 0.1 / slightly modified for phpBB 3.1.x (using $H$ as hash type identifier) -* -* Portable PHP password hashing framework. -* -* Written by Solar Designer <solar at openwall.com> in 2004-2006 and placed in -* the public domain. -* -* There's absolutely no warranty. -* -* The homepage URL for this framework is: -* -*	http://www.openwall.com/phpass/ -* -* Please be sure to update the Version line if you edit this file in any way. -* It is suggested that you leave the main version number intact, but indicate -* your project name (after the slash) and add your own revision information. -* -* Please do not change the "private" password hashing method implemented in -* here, thereby making your hashes incompatible.  However, if you must, please -* change the hash type identifier (the "$P$") to something different. -* -* Obviously, since this code is in the public domain, the above are not -* requirements (there can be none), but merely suggestions. -* -* -* Hash the password -*/ -function phpbb_hash($password) -{ -	$itoa64 = './0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz'; - -	$random_state = unique_id(); -	$random = ''; -	$count = 6; - -	if (($fh = @fopen('/dev/urandom', 'rb'))) -	{ -		$random = fread($fh, $count); -		fclose($fh); -	} - -	if (strlen($random) < $count) -	{ -		$random = ''; - -		for ($i = 0; $i < $count; $i += 16) -		{ -			$random_state = md5(unique_id() . $random_state); -			$random .= pack('H*', md5($random_state)); -		} -		$random = substr($random, 0, $count); -	} - -	$hash = _hash_crypt_private($password, _hash_gensalt_private($random, $itoa64), $itoa64); - -	if (strlen($hash) == 34) -	{ -		return $hash; -	} - -	return md5($password); -} - -/** -* Check for correct password -* -* @param string $password The password in plain text -* @param string $hash The stored password hash -* -* @return bool Returns true if the password is correct, false if not. -*/ -function phpbb_check_hash($password, $hash) -{ -	if (strlen($password) > 4096) -	{ -		// If the password is too huge, we will simply reject it -		// and not let the server try to hash it. -		return false; -	} - -	$itoa64 = './0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz'; -	if (strlen($hash) == 34) -	{ -		return (_hash_crypt_private($password, $hash, $itoa64) === $hash) ? true : false; -	} - -	return (md5($password) === $hash) ? true : false; -} - -/** -* Generate salt for hash generation -*/ -function _hash_gensalt_private($input, &$itoa64, $iteration_count_log2 = 6) -{ -	if ($iteration_count_log2 < 4 || $iteration_count_log2 > 31) -	{ -		$iteration_count_log2 = 8; -	} - -	$output = '$H$'; -	$output .= $itoa64[min($iteration_count_log2 + 5, 30)]; -	$output .= _hash_encode64($input, 6, $itoa64); - -	return $output; -} - -/** -* Encode hash -*/ -function _hash_encode64($input, $count, &$itoa64) -{ -	$output = ''; -	$i = 0; - -	do -	{ -		$value = ord($input[$i++]); -		$output .= $itoa64[$value & 0x3f]; - -		if ($i < $count) -		{ -			$value |= ord($input[$i]) << 8; -		} - -		$output .= $itoa64[($value >> 6) & 0x3f]; - -		if ($i++ >= $count) -		{ -			break; -		} - -		if ($i < $count) -		{ -			$value |= ord($input[$i]) << 16; -		} - -		$output .= $itoa64[($value >> 12) & 0x3f]; - -		if ($i++ >= $count) -		{ -			break; -		} - -		$output .= $itoa64[($value >> 18) & 0x3f]; -	} -	while ($i < $count); - -	return $output; -} - -/** -* The crypt function/replacement -*/ -function _hash_crypt_private($password, $setting, &$itoa64) -{ -	$output = '*'; - -	// Check for correct hash -	if (substr($setting, 0, 3) != '$H$' && substr($setting, 0, 3) != '$P$') -	{ -		return $output; -	} - -	$count_log2 = strpos($itoa64, $setting[3]); - -	if ($count_log2 < 7 || $count_log2 > 30) -	{ -		return $output; -	} - -	$count = 1 << $count_log2; -	$salt = substr($setting, 4, 8); - -	if (strlen($salt) != 8) -	{ -		return $output; -	} - -	/** -	* We're kind of forced to use MD5 here since it's the only -	* cryptographic primitive available in all versions of PHP -	* currently in use.  To implement our own low-level crypto -	* in PHP would result in much worse performance and -	* consequently in lower iteration counts and hashes that are -	* quicker to crack (by non-PHP code). -	*/ -	$hash = md5($salt . $password, true); -	do -	{ -		$hash = md5($hash . $password, true); -	} -	while (--$count); - -	$output = substr($setting, 0, 12); -	$output .= _hash_encode64($hash, 16, $itoa64); - -	return $output; -} - -/**  * Hashes an email address to a big integer  *  * @param string $email		Email address @@ -1051,46 +850,6 @@ else  	}  } -/** -* Eliminates useless . and .. components from specified path. -* -* Deprecated, use filesystem class instead -* -* @param string $path Path to clean -* @return string Cleaned path -* -* @deprecated -*/ -function phpbb_clean_path($path) -{ -	global $phpbb_path_helper, $phpbb_container; - -	if (!$phpbb_path_helper && $phpbb_container) -	{ -		$phpbb_path_helper = $phpbb_container->get('path_helper'); -	} -	else if (!$phpbb_path_helper) -	{ -		// The container is not yet loaded, use a new instance -		if (!class_exists('\phpbb\path_helper')) -		{ -			global $phpbb_root_path, $phpEx; -			require($phpbb_root_path . 'phpbb/path_helper.' . $phpEx); -		} - -		$phpbb_path_helper = new phpbb\path_helper( -			new phpbb\symfony_request( -				new phpbb\request\request() -			), -			new phpbb\filesystem(), -			$phpbb_root_path, -			$phpEx -		); -	} - -	return $phpbb_path_helper->clean_path($path); -} -  // functions used for building option fields  /** @@ -1246,24 +1005,6 @@ function phpbb_get_timezone_identifiers($selected_timezone)  }  /** -* Pick a timezone -* -* @param	string		$default			A timezone to select -* @param	boolean		$truncate			Shall we truncate the options text -* -* @return		string		Returns the options for timezone selector only -* -* @deprecated -*/ -function tz_select($default = '', $truncate = false) -{ -	global $user; - -	$timezone_select = phpbb_timezone_select($user, $default, $truncate); -	return $timezone_select['tz_select']; -} - -/**  * Options to pick a timezone and date/time  *  * @param	\phpbb\user	$user				Object of the current user @@ -2263,7 +2004,7 @@ function append_sid($url, $params = false, $is_amp = true, $session_id = false)  	*											the global one (false)  	* @var	bool|string	append_sid_overwrite	Overwrite function (string  	*											URL) or not (false) -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('url', 'params', 'is_amp', 'session_id', 'append_sid_overwrite');  	extract($phpbb_dispatcher->trigger_event('core.append_sid', compact($vars))); @@ -2434,7 +2175,7 @@ function generate_board_url($without_script_path = false)  */  function redirect($url, $return = false, $disable_cd_check = false)  { -	global $db, $cache, $config, $user, $phpbb_root_path; +	global $db, $cache, $config, $user, $phpbb_root_path, $phpbb_filesystem, $phpbb_path_helper, $phpEx;  	$failover_flag = false; @@ -2477,78 +2218,34 @@ function redirect($url, $return = false, $disable_cd_check = false)  		// Relative uri  		$pathinfo = pathinfo($url); -		if (!$disable_cd_check && !file_exists($pathinfo['dirname'] . '/')) +		// Is the uri pointing to the current directory? +		if ($pathinfo['dirname'] == '.')  		{ -			$url = str_replace('../', '', $url); -			$pathinfo = pathinfo($url); +			$url = str_replace('./', '', $url); -			if (!file_exists($pathinfo['dirname'] . '/')) +			// Strip / from the beginning +			if ($url && substr($url, 0, 1) == '/')  			{ -				// fallback to "last known user page" -				// at least this way we know the user does not leave the phpBB root -				$url = generate_board_url() . '/' . $user->page['page']; -				$failover_flag = true; +				$url = substr($url, 1);  			}  		} -		if (!$failover_flag) -		{ -			// Is the uri pointing to the current directory? -			if ($pathinfo['dirname'] == '.') -			{ -				$url = str_replace('./', '', $url); - -				// Strip / from the beginning -				if ($url && substr($url, 0, 1) == '/') -				{ -					$url = substr($url, 1); -				} +		$url = $phpbb_path_helper->remove_web_root_path($url); -				if ($user->page['page_dir']) -				{ -					$url = generate_board_url() . '/' . $user->page['page_dir'] . '/' . $url; -				} -				else -				{ -					$url = generate_board_url() . '/' . $url; -				} -			} -			else -			{ -				// Used ./ before, but $phpbb_root_path is working better with urls within another root path -				$root_dirs = explode('/', str_replace('\\', '/', phpbb_realpath($phpbb_root_path))); -				$page_dirs = explode('/', str_replace('\\', '/', phpbb_realpath($pathinfo['dirname']))); -				$intersection = array_intersect_assoc($root_dirs, $page_dirs); - -				$root_dirs = array_diff_assoc($root_dirs, $intersection); -				$page_dirs = array_diff_assoc($page_dirs, $intersection); - -				$dir = str_repeat('../', sizeof($root_dirs)) . implode('/', $page_dirs); - -				// Strip / from the end -				if ($dir && substr($dir, -1, 1) == '/') -				{ -					$dir = substr($dir, 0, -1); -				} - -				// Strip / from the beginning -				if ($dir && substr($dir, 0, 1) == '/') -				{ -					$dir = substr($dir, 1); -				} +		if ($user->page['page_dir']) +		{ +			$url = $user->page['page_dir'] . '/' . $url; +		} -				$url = str_replace($pathinfo['dirname'] . '/', '', $url); +		$url = generate_board_url() . '/' . $url; +	} -				// Strip / from the beginning -				if (substr($url, 0, 1) == '/') -				{ -					$url = substr($url, 1); -				} +	// Clean URL and check if we go outside the forum directory +	$url = $phpbb_path_helper->clean_url($url); -				$url = (!empty($dir) ? $dir . '/' : '') . $url; -				$url = generate_board_url() . '/' . $url; -			} -		} +	if (!$disable_cd_check && strpos($url, generate_board_url(true)) === false) +	{ +		trigger_error('INSECURE_REDIRECT', E_USER_ERROR);  	}  	// Make sure no linebreaks are there... to prevent http response splitting for PHP < 4.4.2 @@ -2629,8 +2326,9 @@ function reapply_sid($url)  */  function build_url($strip_vars = false)  { -	global $user, $phpbb_root_path; +	global $config, $user, $phpbb_path_helper; +	$php_ext = $phpbb_path_helper->get_php_ext();  	$page = $user->page['page'];  	// We need to be cautious here. @@ -2642,66 +2340,24 @@ function build_url($strip_vars = false)  	// URL  	if ($url_parts === false || empty($url_parts['scheme']) || empty($url_parts['host']))  	{ -		$page = $phpbb_root_path . $page; +		// Remove 'app.php/' from the page, when rewrite is enabled +		if ($config['enable_mod_rewrite'] && strpos($page, 'app.' . $php_ext . '/') === 0) +		{ +			$page = substr($page, strlen('app.' . $php_ext . '/')); +		} + +		$page = $phpbb_path_helper->get_phpbb_root_path() . $page;  	}  	// Append SID  	$redirect = append_sid($page, false, false); -	// Add delimiter if not there... -	if (strpos($redirect, '?') === false) +	if ($strip_vars !== false)  	{ -		$redirect .= '?'; -	} - -	// Strip vars... -	if ($strip_vars !== false && strpos($redirect, '?') !== false) -	{ -		if (!is_array($strip_vars)) -		{ -			$strip_vars = array($strip_vars); -		} - -		$query = $_query = array(); - -		$args = substr($redirect, strpos($redirect, '?') + 1); -		$args = ($args) ? explode('&', $args) : array(); -		$redirect = substr($redirect, 0, strpos($redirect, '?')); - -		foreach ($args as $argument) -		{ -			$arguments = explode('=', $argument); -			$key = $arguments[0]; -			unset($arguments[0]); - -			if ($key === '') -			{ -				continue; -			} - -			$query[$key] = implode('=', $arguments); -		} - -		// Strip the vars off -		foreach ($strip_vars as $strip) -		{ -			if (isset($query[$strip])) -			{ -				unset($query[$strip]); -			} -		} - -		// Glue the remaining parts together... already urlencoded -		foreach ($query as $key => $value) -		{ -			$_query[] = $key . '=' . $value; -		} -		$query = implode('&', $_query); - -		$redirect .= ($query) ? '?' . $query : ''; +		$redirect = $phpbb_path_helper->strip_url_params($redirect, $strip_vars, false);  	} -	return str_replace('&', '&', $redirect); +	return $redirect . ((strpos($redirect, '?') === false) ? '?' : '');  }  /** @@ -2716,19 +2372,19 @@ function meta_refresh($time, $url, $disable_cd_check = false)  {  	global $template, $refresh_data, $request; +	$url = redirect($url, true, $disable_cd_check);  	if ($request->is_ajax())  	{  		$refresh_data = array(  			'time'	=> $time, -			'url'		=> str_replace('&', '&', $url) +			'url'	=> $url,  		);  	}  	else  	{ -		$url = redirect($url, true, $disable_cd_check); +		// For XHTML compatibility we change back & to &  		$url = str_replace('&', '&', $url); -		// For XHTML compatibility we change back & to &  		$template->assign_vars(array(  			'META' => '<meta http-equiv="refresh" content="' . $time . '; url=' . $url . '" />')  		); @@ -2958,7 +2614,7 @@ function confirm_box($check, $title = '', $hidden = '', $html_body = 'confirm_bo  	}  	else  	{ -		page_header(((!isset($user->lang[$title])) ? $user->lang['CONFIRM'] : $user->lang[$title]), false); +		page_header((!isset($user->lang[$title])) ? $user->lang['CONFIRM'] : $user->lang[$title]);  	}  	$template->set_filenames(array( @@ -2991,7 +2647,6 @@ function confirm_box($check, $title = '', $hidden = '', $html_body = 'confirm_bo  		WHERE user_id = " . $user->data['user_id'];  	$db->sql_query($sql); -  	if ($request->is_ajax())  	{  		$u_action .= '&confirm_uid=' . $user->data['user_id'] . '&sess=' . $user->session_id . '&sid=' . $user->session_id; @@ -3235,7 +2890,7 @@ function login_box($redirect = '', $l_explain = '', $l_success = '', $admin = fa  		'PASSWORD_CREDENTIAL'	=> ($admin) ? 'password_' . $credential : 'password',  	)); -	page_header($user->lang['LOGIN'], false); +	page_header($user->lang['LOGIN']);  	$template->set_filenames(array(  		'body' => 'login_body.html') @@ -3250,9 +2905,9 @@ function login_box($redirect = '', $l_explain = '', $l_success = '', $admin = fa  */  function login_forum_box($forum_data)  { -	global $db, $config, $user, $template, $phpEx; +	global $db, $phpbb_container, $request, $template, $user; -	$password = request_var('password', '', true); +	$password = $request->variable('password', '', true);  	$sql = 'SELECT forum_id  		FROM ' . FORUMS_ACCESS_TABLE . ' @@ -3293,7 +2948,9 @@ function login_forum_box($forum_data)  		}  		$db->sql_freeresult($result); -		if (phpbb_check_hash($password, $forum_data['forum_password'])) +		$passwords_manager = $phpbb_container->get('passwords.manager'); + +		if ($passwords_manager->check($password, $forum_data['forum_password']))  		{  			$sql_ary = array(  				'forum_id'		=> (int) $forum_data['forum_id'], @@ -3309,7 +2966,7 @@ function login_forum_box($forum_data)  		$template->assign_var('LOGIN_ERROR', $user->lang['WRONG_PASSWORD']);  	} -	page_header($user->lang['LOGIN'], false); +	page_header($user->lang['LOGIN']);  	$template->assign_vars(array(  		'FORUM_NAME'			=> isset($forum_data['forum_name']) ? $forum_data['forum_name'] : '', @@ -3400,7 +3057,7 @@ function parse_cfg_file($filename, $lines = false)  		}  		// Determine first occurrence, since in values the equal sign is allowed -		$key = strtolower(trim(substr($line, 0, $delim_pos))); +		$key = htmlspecialchars(strtolower(trim(substr($line, 0, $delim_pos))));  		$value = trim(substr($line, $delim_pos + 1));  		if (in_array($value, array('off', 'false', '0'))) @@ -3417,7 +3074,11 @@ function parse_cfg_file($filename, $lines = false)  		}  		else if (($value[0] == "'" && $value[sizeof($value) - 1] == "'") || ($value[0] == '"' && $value[sizeof($value) - 1] == '"'))  		{ -			$value = substr($value, 1, sizeof($value)-2); +			$value = htmlspecialchars(substr($value, 1, sizeof($value)-2)); +		} +		else +		{ +			$value = htmlspecialchars($value);  		}  		$parsed_items[$key] = $value; @@ -4122,6 +3783,16 @@ function msg_handler($errno, $msg_text, $errfile, $errline)  			if (defined('IN_INSTALL') || defined('DEBUG') || isset($auth) && $auth->acl_get('a_'))  			{  				$msg_text = $log_text; + +				// If this is defined there already was some output +				// So let's not break it +				if (defined('IN_DB_UPDATE')) +				{ +					echo '<div class="errorbox">' . $msg_text . '</div>'; + +					$db->sql_return_on_error(true); +					phpbb_end_update($cache, $config); +				}  			}  			if ((defined('IN_CRON') || defined('IMAGE_OUTPUT')) && isset($db)) @@ -4218,7 +3889,7 @@ function msg_handler($errno, $msg_text, $errfile, $errline)  				}  				else  				{ -					page_header($msg_title, false); +					page_header($msg_title);  				}  			} @@ -4893,9 +4564,95 @@ function phpbb_build_hidden_fields_for_query_params($request, $exclude = null)  }  /** +* Get user avatar +* +* @param array $user_row Row from the users table +* @param string $alt Optional language string for alt tag within image, can be a language key or text +* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP +* +* @return string Avatar html +*/ +function phpbb_get_user_avatar($user_row, $alt = 'USER_AVATAR', $ignore_config = false) +{ +	$row = \phpbb\avatar\manager::clean_row($user_row, 'user'); +	return phpbb_get_avatar($row, $alt, $ignore_config); +} + +/** +* Get group avatar +* +* @param array $group_row Row from the groups table +* @param string $alt Optional language string for alt tag within image, can be a language key or text +* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP +* +* @return string Avatar html +*/ +function phpbb_get_group_avatar($user_row, $alt = 'GROUP_AVATAR', $ignore_config = false) +{ +	$row = \phpbb\avatar\manager::clean_row($user_row, 'group'); +	return phpbb_get_avatar($row, $alt, $ignore_config); +} + +/** +* Get avatar +* +* @param array $row Row cleaned by \phpbb\avatar\driver\driver::clean_row +* @param string $alt Optional language string for alt tag within image, can be a language key or text +* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP +* +* @return string Avatar html +*/ +function phpbb_get_avatar($row, $alt, $ignore_config = false) +{ +	global $user, $config, $cache, $phpbb_root_path, $phpEx; +	global $request; +	global $phpbb_container; + +	if (!$config['allow_avatar'] && !$ignore_config) +	{ +		return ''; +	} + +	$avatar_data = array( +		'src' => $row['avatar'], +		'width' => $row['avatar_width'], +		'height' => $row['avatar_height'], +	); + +	$phpbb_avatar_manager = $phpbb_container->get('avatar.manager'); +	$driver = $phpbb_avatar_manager->get_driver($row['avatar_type'], $ignore_config); +	$html = ''; + +	if ($driver) +	{ +		$html = $driver->get_custom_html($user, $row, $alt); +		if (!empty($html)) +		{ +			return $html; +		} + +		$avatar_data = $driver->get_data($row, $ignore_config); +	} +	else +	{ +		$avatar_data['src'] = ''; +	} + +	if (!empty($avatar_data['src'])) +	{ +		$html = '<img src="' . $avatar_data['src'] . '" ' . +			($avatar_data['width'] ? ('width="' . $avatar_data['width'] . '" ') : '') . +			($avatar_data['height'] ? ('height="' . $avatar_data['height'] . '" ') : '') . +			'alt="' . ((!empty($user->lang[$alt])) ? $user->lang[$alt] : $alt) . '" />'; +	} + +	return $html; +} + +/**  * Generate page header  */ -function page_header($page_title = '', $display_online_list = true, $item_id = 0, $item = 'forum') +function page_header($page_title = '', $display_online_list = false, $item_id = 0, $item = 'forum')  {  	global $db, $config, $template, $SID, $_SID, $_EXTRA_URL, $user, $auth, $phpEx, $phpbb_root_path;  	global $phpbb_dispatcher, $request, $phpbb_container, $phpbb_admin_path; @@ -4922,7 +4679,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  	* @var	int		item_id				Restrict online users to item id  	* @var	bool	page_header_override	Shall we return instead of running  	*										the rest of page_header() -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('page_title', 'display_online_list', 'item_id', 'item', 'page_header_override');  	extract($phpbb_dispatcher->trigger_event('core.page_header', compact($vars))); @@ -4959,7 +4716,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  	if ($user->data['user_id'] != ANONYMOUS)  	{  		$u_login_logout = append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=logout', true, $user->session_id); -		$l_login_logout = sprintf($user->lang['LOGOUT_USER'], $user->data['username']); +		$l_login_logout = $user->lang['LOGOUT'];  	}  	else  	{ @@ -5098,11 +4855,11 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		}  	} -	$hidden_fields_for_jumpbox = phpbb_build_hidden_fields_for_query_params($request, array('f')); - +	$notification_mark_hash = generate_link_hash('mark_all_notifications_read');  	// The following assigns all _common_ variables that may be used at any point in a template.  	$template->assign_vars(array( +		'CURRENT_USER_AVATAR'	=> phpbb_get_user_avatar($user->data),  		'SITENAME'						=> $config['sitename'],  		'SITE_DESCRIPTION'				=> $config['site_desc'],  		'PAGE_TITLE'					=> $page_title, @@ -5114,11 +4871,11 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'LOGGED_IN_USER_LIST'			=> $online_userlist,  		'RECORD_USERS'					=> $l_online_record,  		'PRIVATE_MESSAGE_COUNT'			=> (!empty($user->data['user_unread_privmsg'])) ? $user->data['user_unread_privmsg'] : 0, -		'HIDDEN_FIELDS_FOR_JUMPBOX'	=> $hidden_fields_for_jumpbox,  		'UNREAD_NOTIFICATIONS_COUNT'	=> ($notifications !== false) ? $notifications['unread_count'] : '',  		'NOTIFICATIONS_COUNT'			=> ($notifications !== false) ? $notifications['unread_count'] : '',  		'U_VIEW_ALL_NOTIFICATIONS'		=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'i=ucp_notifications'), +		'U_MARK_ALL_NOTIFICATIONS'		=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'i=ucp_notifications&mode=notification_list&mark=all&token=' . $notification_mark_hash),  		'U_NOTIFICATION_SETTINGS'		=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'i=ucp_notifications&mode=notification_options'),  		'S_NOTIFICATIONS_DISPLAY'		=> $config['load_notifications'], @@ -5131,6 +4888,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'SESSION_ID'		=> $user->session_id,  		'ROOT_PATH'			=> $web_path,  		'BOARD_URL'			=> $board_url, +		'USERNAME_FULL'		=> get_username_string('full', $user->data['user_id'], $user->data['username'], $user->data['user_colour']),  		'L_LOGIN_LOGOUT'	=> $l_login_logout,  		'L_INDEX'			=> ($config['board_index_text'] !== '') ? $config['board_index_text'] : $user->lang['FORUM_INDEX'], @@ -5147,6 +4905,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'U_SITE_HOME'			=> $config['site_home_url'],  		'U_REGISTER'			=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=register'),  		'U_PROFILE'				=> append_sid("{$phpbb_root_path}ucp.$phpEx"), +		'U_USER_PROFILE'		=> get_username_string('profile', $user->data['user_id'], $user->data['username'], $user->data['user_colour']),  		'U_MODCP'				=> append_sid("{$phpbb_root_path}mcp.$phpEx", false, true, $user->session_id),  		'U_FAQ'					=> append_sid("{$phpbb_root_path}faq.$phpEx"),  		'U_SEARCH_SELF'			=> append_sid("{$phpbb_root_path}search.$phpEx", 'search_id=egosearch'), @@ -5155,7 +4914,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'U_SEARCH_UNREAD'		=> append_sid("{$phpbb_root_path}search.$phpEx", 'search_id=unreadposts'),  		'U_SEARCH_ACTIVE_TOPICS'=> append_sid("{$phpbb_root_path}search.$phpEx", 'search_id=active_topics'),  		'U_DELETE_COOKIES'		=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=delete_cookies'), -		'U_TEAM'				=> ($user->data['user_id'] != ANONYMOUS && !$auth->acl_get('u_viewprofile')) ? '' : append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=leaders'), +		'U_TEAM'				=> ($user->data['user_id'] != ANONYMOUS && !$auth->acl_get('u_viewprofile')) ? '' : append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=team'),  		'U_TERMS_USE'			=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=terms'),  		'U_PRIVACY'				=> append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=privacy'),  		'U_RESTORE_PERMISSIONS'	=> ($user->data['user_perm_from'] && $auth->acl_get('a_switchperm')) ? append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=restore_perm') : '', @@ -5184,7 +4943,7 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'S_TOPIC_ID'			=> $topic_id,  		'S_LOGIN_ACTION'		=> ((!defined('ADMIN_START')) ? append_sid("{$phpbb_root_path}ucp.$phpEx", 'mode=login') : append_sid("{$phpbb_admin_path}index.$phpEx", false, true, $user->session_id)), -		'S_LOGIN_REDIRECT'		=> build_hidden_fields(array('redirect' => build_url())), +		'S_LOGIN_REDIRECT'		=> build_hidden_fields(array('redirect' => $phpbb_path_helper->remove_web_root_path(build_url()))),  		'S_ENABLE_FEEDS'			=> ($config['feed_enable']) ? true : false,  		'S_ENABLE_FEEDS_OVERALL'	=> ($config['feed_overall']) ? true : false, @@ -5229,6 +4988,22 @@ function page_header($page_title = '', $display_online_list = true, $item_id = 0  		'SITE_LOGO_IMG'			=> $user->img('site_logo'),  	)); +	/** +	* Execute code and/or overwrite _common_ template variables after they have been assigned. +	* +	* @event core.page_header_after +	* @var	string	page_title			Page title +	* @var	bool	display_online_list		Do we display online users list +	* @var	string	item				Restrict online users to a certain +	*									session item, e.g. forum for +	*									session_forum_id +	* @var	int		item_id				Restrict online users to item id +	* +	* @since 3.1.0-b3 +	*/ +	$vars = array('page_title', 'display_online_list', 'item_id', 'item'); +	extract($phpbb_dispatcher->trigger_event('core.page_header_after', compact($vars))); +  	// application/xhtml+xml not used because of IE  	header('Content-type: text/html; charset=UTF-8'); @@ -5267,7 +5042,7 @@ function page_footer($run_cron = true, $display_template = true, $exit_handler =  	* @var	bool	run_cron			Shall we run cron tasks  	* @var	bool	page_footer_override	Shall we return instead of running  	*										the rest of page_footer() -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('run_cron', 'page_footer_override');  	extract($phpbb_dispatcher->trigger_event('core.page_footer', compact($vars))); @@ -5375,7 +5150,7 @@ function garbage_collection()  		* Unload some objects, to free some memory, before we finish our task  		*  		* @event core.garbage_collection -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$phpbb_dispatcher->dispatch('core.garbage_collection');  	} diff --git a/phpBB/includes/functions_acp.php b/phpBB/includes/functions_acp.php index cb44ed2794..2c66f6009c 100644 --- a/phpBB/includes/functions_acp.php +++ b/phpBB/includes/functions_acp.php @@ -41,7 +41,7 @@ function adm_page_header($page_title)  	* @var	string	page_title			Page title  	* @var	bool	adm_page_header_override	Shall we return instead of  	*									running the rest of adm_page_header() -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('page_title', 'adm_page_header_override');  	extract($phpbb_dispatcher->trigger_event('core.adm_page_header', compact($vars))); @@ -132,7 +132,7 @@ function adm_page_footer($copyright_html = true)  	* @var	bool	copyright_html			Shall we display the copyright?  	* @var	bool	adm_page_footer_override	Shall we return instead of  	*									running the rest of adm_page_footer() -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('copyright_html', 'adm_page_footer_override');  	extract($phpbb_dispatcher->trigger_event('core.adm_page_footer', compact($vars))); @@ -396,7 +396,7 @@ function build_cfg_template($tpl_type, $key, &$new, $config_key, $vars)  	* @var	string	name		Should be used for the name attribute  	* @var	array	vars		Array with the options for the config  	* @var	string	tpl			The resulting html code we display -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('tpl_type', 'key', 'new', 'name', 'vars', 'tpl');  	extract($phpbb_dispatcher->trigger_event('core.build_config_template', compact($vars))); @@ -606,7 +606,7 @@ function validate_config_vars($config_vars, &$cfg_array, &$error)  				* @var	array	error		Array of errors, the errors should  				*							be strings only, language keys are  				*							not replaced afterwards -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('cfg_array', 'config_name', 'config_definition', 'error');  				extract($phpbb_dispatcher->trigger_event('core.validate_config_variable', compact($vars))); diff --git a/phpBB/includes/functions_admin.php b/phpBB/includes/functions_admin.php index 722d3c9c67..50b3b61eaa 100644 --- a/phpBB/includes/functions_admin.php +++ b/phpBB/includes/functions_admin.php @@ -731,7 +731,38 @@ function delete_topics($where_type, $where_ids, $auto_sync = true, $post_count_s  */  function delete_posts($where_type, $where_ids, $auto_sync = true, $posted_sync = true, $post_count_sync = true, $call_delete_topics = true)  { -	global $db, $config, $phpbb_root_path, $phpEx, $auth, $user, $phpbb_container; +	global $db, $config, $phpbb_root_path, $phpEx, $auth, $user, $phpbb_container, $phpbb_dispatcher; + +	// Notifications types to delete +	$delete_notifications_types = array( +		'quote', +		'approve_post', +		'post_in_queue', +	); + +	/** +	* Perform additional actions before post(s) deletion +	* +	* @event core.delete_posts_before +	* @var	string	where_type					Variable containing posts deletion mode +	* @var	mixed	where_ids					Array or comma separated list of posts ids to delete +	* @var	bool	auto_sync					Flag indicating if topics/forums should be synchronized +	* @var	bool	posted_sync					Flag indicating if topics_posted table should be resynchronized +	* @var	bool	post_count_sync				Flag indicating if posts count should be resynchronized +	* @var	bool	call_delete_topics			Flag indicating if topics having no posts should be deleted +	* @var	array	delete_notifications_types	Array with notifications types to delete +	* @since 3.1.0-a4 +	*/ +	$vars = array( +		'where_type', +		'where_ids', +		'auto_sync', +		'posted_sync', +		'post_count_sync', +		'call_delete_topics', +		'delete_notifications_types', +	); +	extract($phpbb_dispatcher->trigger_event('core.delete_posts_before', compact($vars)));  	if ($where_type === 'range')  	{ @@ -874,8 +905,56 @@ function delete_posts($where_type, $where_ids, $auto_sync = true, $posted_sync =  	delete_attachments('post', $post_ids, false); +	/** +	* Perform additional actions during post(s) deletion +	* +	* @event core.delete_posts_in_transaction +	* @var	array	post_ids					Array with deleted posts' ids +	* @var	array	poster_ids					Array with deleted posts' author ids +	* @var	array	topic_ids					Array with deleted posts' topic ids +	* @var	array	forum_ids					Array with deleted posts' forum ids +	* @var	string	where_type					Variable containing posts deletion mode +	* @var	mixed	where_ids					Array or comma separated list of posts ids to delete +	* @var	array	delete_notifications_types	Array with notifications types to delete +	* @since 3.1.0-a4 +	*/ +	$vars = array( +		'post_ids', +		'poster_ids', +		'topic_ids', +		'forum_ids', +		'where_type', +		'where_ids', +		'delete_notifications_types', +	); +	extract($phpbb_dispatcher->trigger_event('core.delete_posts_in_transaction', compact($vars))); +  	$db->sql_transaction('commit'); +	/** +	* Perform additional actions after post(s) deletion +	* +	* @event core.delete_posts_after +	* @var	array	post_ids					Array with deleted posts' ids +	* @var	array	poster_ids					Array with deleted posts' author ids +	* @var	array	topic_ids					Array with deleted posts' topic ids +	* @var	array	forum_ids					Array with deleted posts' forum ids +	* @var	string	where_type					Variable containing posts deletion mode +	* @var	mixed	where_ids					Array or comma separated list of posts ids to delete +	* @var	array	delete_notifications_types	Array with notifications types to delete +	* @since 3.1.0-a4 +	*/ +	$vars = array( +		'post_ids', +		'poster_ids', +		'topic_ids', +		'forum_ids', +		'where_type', +		'where_ids', +		'delete_notifications_types', +	); +	extract($phpbb_dispatcher->trigger_event('core.delete_posts_after', compact($vars))); +  	// Resync topics_posted table  	if ($posted_sync)  	{ @@ -902,13 +981,7 @@ function delete_posts($where_type, $where_ids, $auto_sync = true, $posted_sync =  	$phpbb_notifications = $phpbb_container->get('notification_manager'); -	$phpbb_notifications->delete_notifications(array( -		'quote', -		'bookmark', -		'post', -		'approve_post', -		'post_in_queue', -	), $post_ids); +	$phpbb_notifications->delete_notifications($delete_notifications_types, $post_ids);  	return sizeof($post_ids);  } @@ -1438,7 +1511,7 @@ function sync($mode, $where_type = '', $where_ids = '', $resync_parents = false,  				ITEM_DELETED	=> (!empty($topics_softdeleted)) ? ' WHERE ' . $db->sql_in_set('topic_id', $topics_softdeleted) : '',  			); -			foreach ($topic_visiblities as $visibility => $sql_where) +			foreach ($update_ary as $visibility => $sql_where)  			{  				if ($sql_where)  				{ @@ -1727,7 +1800,7 @@ function sync($mode, $where_type = '', $where_ids = '', $resync_parents = false,  					{  						$forum_data[$forum_id]['topics_approved'] = $row['total_topics'];  					} -					else if ($row['topic_visibility'] == ITEM_UNAPPROVED) +					else if ($row['topic_visibility'] == ITEM_UNAPPROVED || $row['topic_visibility'] == ITEM_REAPPROVE)  					{  						$forum_data[$forum_id]['topics_unapproved'] = $row['total_topics'];  					} @@ -1950,7 +2023,7 @@ function sync($mode, $where_type = '', $where_ids = '', $resync_parents = false,  					{  						$topic_data[$topic_id]['posts_approved'] = $row['total_posts'];  					} -					else if ($row['post_visibility'] == ITEM_UNAPPROVED) +					else if ($row['post_visibility'] == ITEM_UNAPPROVED || $row['post_visibility'] == ITEM_REAPPROVE)  					{  						$topic_data[$topic_id]['posts_unapproved'] = $row['total_posts'];  					} @@ -1972,7 +2045,7 @@ function sync($mode, $where_type = '', $where_ids = '', $resync_parents = false,  						$topic_data[$topic_id]['first_post_id'] = (!empty($topic_data[$topic_id]['first_post_id'])) ? min($topic_data[$topic_id]['first_post_id'], $row['first_post_id']) : $row['first_post_id'];  						$topic_data[$topic_id]['last_post_id'] = max($topic_data[$topic_id]['last_post_id'], $row['last_post_id']); -						if ($topic_data[$topic_id]['visibility'] == ITEM_UNAPPROVED) +						if ($topic_data[$topic_id]['visibility'] == ITEM_UNAPPROVED || $topic_data[$topic_id]['visibility'] == ITEM_REAPPROVE)  						{  							// Soft delete status is stronger than unapproved.  							$topic_data[$topic_id]['visibility'] = $row['post_visibility']; @@ -2275,6 +2348,11 @@ function prune($forum_id, $prune_mode, $prune_date, $prune_flags = 0, $auto_sync  		$sql_and .= " AND topic_last_view_time < $prune_date";  	} +	if ($prune_mode == 'shadow') +	{ +		$sql_and .= ' AND topic_status = ' . ITEM_MOVED . " AND topic_last_post_time < $prune_date"; +	} +  	$sql = 'SELECT topic_id  		FROM ' . TOPICS_TABLE . '  		WHERE ' . $db->sql_in_set('forum_id', $forum_id) . " @@ -2348,7 +2426,7 @@ function auto_prune($forum_id, $prune_mode, $prune_flags, $prune_days, $prune_fr  * via admin_permissions. Changes of usernames and group names  * must be carried through for the moderators table.  * -* @param \phpbb\db\driver\driver $db Database connection +* @param \phpbb\db\driver\driver_interface $db Database connection  * @param \phpbb\cache\driver\driver_interface Cache driver  * @param \phpbb\auth\auth $auth Authentication object  * @return null @@ -2525,20 +2603,6 @@ function phpbb_cache_moderators($db, $cache, $auth)  }  /** -* Cache moderators. Called whenever permissions are changed -* via admin_permissions. Changes of usernames and group names -* must be carried through for the moderators table. -* -* @deprecated 3.1 -* @return null -*/ -function cache_moderators() -{ -	global $db, $cache, $auth; -	return phpbb_cache_moderators($db, $cache, $auth); -} - -/**  * View log  *  * @param	string	$mode			The mode defines which log_type is used and from which log the entry is retrieved @@ -2571,7 +2635,7 @@ function view_log($mode, &$log, &$log_count, $limit = 0, $offset = 0, $forum_id  /**  * Removes moderators and administrators from foe lists.  * -* @param \phpbb\db\driver\driver $db Database connection +* @param \phpbb\db\driver\driver_interface $db Database connection  * @param \phpbb\auth\auth $auth Authentication object  * @param array|bool $group_id If an array, remove all members of this group from foe lists, or false to ignore  * @param array|bool $user_id If an array, remove this user from foe lists, or false to ignore @@ -2688,20 +2752,6 @@ function phpbb_update_foes($db, $auth, $group_id = false, $user_id = false)  }  /** -* Removes moderators and administrators from foe lists. -* -* @deprecated 3.1 -* @param array|bool $group_id If an array, remove all members of this group from foe lists, or false to ignore -* @param array|bool $user_id If an array, remove this user from foe lists, or false to ignore -* @return null -*/ -function update_foes($group_id = false, $user_id = false) -{ -	global $db, $auth; -	return phpbb_update_foes($db, $auth, $group_id, $user_id); -} - -/**  * Lists inactive users  */  function view_inactive_users(&$users, &$user_count, $limit = 0, $offset = 0, $limit_days = 0, $sort_by = 'user_inactive_time DESC') @@ -2869,8 +2919,24 @@ function get_database_size()  		case 'mssql':  		case 'mssql_odbc':  		case 'mssqlnative': +			$sql = 'SELECT @@VERSION AS mssql_version'; +			$result = $db->sql_query($sql); +			$row = $db->sql_fetchrow($result); +			$db->sql_freeresult($result); +  			$sql = 'SELECT ((SUM(size) * 8.0) * 1024.0) as dbsize  				FROM sysfiles'; + +			if ($row) +			{ +				// Azure stats are stored elsewhere +				if (strpos($row['mssql_version'], 'SQL Azure') !== false) +				{ +					$sql = 'SELECT ((SUM(reserved_page_count) * 8.0) * 1024.0) as dbsize +					FROM sys.dm_db_partition_stats'; +				} +			} +  			$result = $db->sql_query($sql, 7200);  			$database_size = ($row = $db->sql_fetchrow($result)) ? $row['dbsize'] : false;  			$db->sql_freeresult($result); @@ -2990,7 +3056,7 @@ function get_remote_file($host, $directory, $filename, &$errstr, &$errno, $port  	return $file_info;  } -/** +/*  * Tidy Warnings  * Remove all warnings which have now expired from the database  * The duration of a warning can be defined by the administrator @@ -3100,45 +3166,6 @@ function add_permission_language()  }  /** - * Obtains the latest version information - * - * @param bool $force_update Ignores cached data. Defaults to false. - * @param bool $warn_fail Trigger a warning if obtaining the latest version information fails. Defaults to false. - * @param int $ttl Cache version information for $ttl seconds. Defaults to 86400 (24 hours). - * - * @return string | false Version info on success, false on failure. - */ -function obtain_latest_version_info($force_update = false, $warn_fail = false, $ttl = 86400) -{ -	global $cache; - -	$info = $cache->get('versioncheck'); - -	if ($info === false || $force_update) -	{ -		$errstr = ''; -		$errno = 0; - -		$info = get_remote_file('version.phpbb.com', '/phpbb', -				((defined('PHPBB_QA')) ? '30x_qa.txt' : '30x.txt'), $errstr, $errno); - -		if (empty($info)) -		{ -			$cache->destroy('versioncheck'); -			if ($warn_fail) -			{ -				trigger_error($errstr, E_USER_WARNING); -			} -			return false; -		} - -		$cache->put('versioncheck', $info, $ttl); -	} - -	return $info; -} - -/**   * Enables a particular flag in a bitfield column of a given table.   *   * @param string	$table_name		The table to update diff --git a/phpBB/includes/functions_compatibility.php b/phpBB/includes/functions_compatibility.php index 2197815087..c2db53f86c 100644 --- a/phpBB/includes/functions_compatibility.php +++ b/phpBB/includes/functions_compatibility.php @@ -39,12 +39,126 @@ function get_user_avatar($avatar, $avatar_type, $avatar_width, $avatar_height, $  		'avatar_height'	=> $avatar_height,  	); -	if (!function_exists('phpbb_get_avatar')) +	return phpbb_get_avatar($row, $alt, $ignore_config); +} + +/** +* Hash the password +* +* @deprecated 3.1.0-a2 (To be removed: 3.3.0) +* +* @param string $password Password to be hashed +* +* @return string|bool Password hash or false if something went wrong during hashing +*/ +function phpbb_hash($password) +{ +	global $phpbb_container; + +	$passwords_manager = $phpbb_container->get('passwords.manager'); +	return $passwords_manager->hash($password); +} + +/** +* Check for correct password +* +* @deprecated 3.1.0-a2 (To be removed: 3.3.0) +* +* @param string $password The password in plain text +* @param string $hash The stored password hash +* +* @return bool Returns true if the password is correct, false if not. +*/ +function phpbb_check_hash($password, $hash) +{ +	global $phpbb_container; + +	$passwords_manager = $phpbb_container->get('passwords.manager'); +	return $passwords_manager->check($password, $hash); +} + +/** +* Eliminates useless . and .. components from specified path. +* +* Deprecated, use filesystem class instead +* +* @param string $path Path to clean +* @return string Cleaned path +* +* @deprecated +*/ +function phpbb_clean_path($path) +{ +	global $phpbb_path_helper, $phpbb_container; + +	if (!$phpbb_path_helper && $phpbb_container) +	{ +		$phpbb_path_helper = $phpbb_container->get('path_helper'); +	} +	else if (!$phpbb_path_helper)  	{ -		global $phpbb_root_path, $phpEx; +		// The container is not yet loaded, use a new instance +		if (!class_exists('\phpbb\path_helper')) +		{ +			global $phpbb_root_path, $phpEx; +			require($phpbb_root_path . 'phpbb/path_helper.' . $phpEx); +		} -		include($phpbb_root_path . 'includes/functions_display.' . $phpEx); +		$phpbb_path_helper = new phpbb\path_helper( +			new phpbb\symfony_request( +				new phpbb\request\request() +			), +			new phpbb\filesystem(), +			$phpbb_root_path, +			$phpEx +		);  	} -	return phpbb_get_avatar($row, $alt, $ignore_config); +	return $phpbb_path_helper->clean_path($path); +} + +/** +* Pick a timezone +* +* @param	string		$default			A timezone to select +* @param	boolean		$truncate			Shall we truncate the options text +* +* @return		string		Returns the options for timezone selector only +* +* @deprecated +*/ +function tz_select($default = '', $truncate = false) +{ +	global $user; + +	$timezone_select = phpbb_timezone_select($user, $default, $truncate); +	return $timezone_select['tz_select']; +} + +/** +* Cache moderators. Called whenever permissions are changed +* via admin_permissions. Changes of usernames and group names +* must be carried through for the moderators table. +* +* @deprecated 3.1 +* @return null +*/ +function cache_moderators() +{ +	global $db, $cache, $auth; +	return phpbb_cache_moderators($db, $cache, $auth); +} + +/** +* Removes moderators and administrators from foe lists. +* +* @deprecated 3.1 +* @param array|bool $group_id If an array, remove all members of this group from foe lists, or false to ignore +* @param array|bool $user_id If an array, remove this user from foe lists, or false to ignore +* @return null +*/ +function update_foes($group_id = false, $user_id = false) +{ +	global $db, $auth; +	return phpbb_update_foes($db, $auth, $group_id, $user_id);  } diff --git a/phpBB/includes/functions_container.php b/phpBB/includes/functions_container.php index 667d27fd20..4a01c934bf 100644 --- a/phpBB/includes/functions_container.php +++ b/phpBB/includes/functions_container.php @@ -26,7 +26,7 @@ if (!defined('IN_PHPBB'))  * Used to bootstrap the container.  *  * @param string $config_file -* @return \phpbb\db\driver\driver +* @return \phpbb\db\driver\driver_interface  */  function phpbb_bootstrap_db_connection($config_file)  { @@ -239,7 +239,7 @@ function phpbb_create_dumped_container($config_file, array $extensions, array $p  */  function phpbb_create_dumped_container_unless_debug($config_file, array $extensions, array $passes, $phpbb_root_path, $php_ext)  { -	$container_factory = defined('DEBUG') ? 'phpbb_create_compiled_container' : 'phpbb_create_dumped_container'; +	$container_factory = defined('DEBUG_CONTAINER') ? 'phpbb_create_compiled_container' : 'phpbb_create_dumped_container';  	return $container_factory($config_file, $extensions, $passes, $phpbb_root_path, $php_ext);  } diff --git a/phpBB/includes/functions_content.php b/phpBB/includes/functions_content.php index 8122b87e4b..d56f02dd09 100644 --- a/phpBB/includes/functions_content.php +++ b/phpBB/includes/functions_content.php @@ -20,6 +20,7 @@ if (!defined('IN_PHPBB'))  * make_jumpbox()  * bump_topic_allowed()  * get_context() +* phpbb_clean_search_string()  * decode_message()  * strip_bbcode()  * generate_text_for_display() @@ -109,7 +110,7 @@ function gen_sort_selects(&$limit_days, &$sort_by_text, &$sort_days, &$sort_key,  */  function make_jumpbox($action, $forum_id = false, $select_all = false, $acl_list = false, $force_display = false)  { -	global $config, $auth, $template, $user, $db; +	global $config, $auth, $template, $user, $db, $phpbb_path_helper;  	// We only return if the jumpbox is not forced to be displayed (in case it is needed for functionality)  	if (!$config['load_jumpbox'] && $force_display === false) @@ -195,10 +196,13 @@ function make_jumpbox($action, $forum_id = false, $select_all = false, $acl_list  	$db->sql_freeresult($result);  	unset($padding_store); +	$url_parts = $phpbb_path_helper->get_url_parts($action); +  	$template->assign_vars(array( -		'S_DISPLAY_JUMPBOX'	=> $display_jumpbox, -		'S_JUMPBOX_ACTION'	=> $action) -	); +		'S_DISPLAY_JUMPBOX'			=> $display_jumpbox, +		'S_JUMPBOX_ACTION'			=> $action, +		'HIDDEN_FIELDS_FOR_JUMPBOX'	=> build_hidden_fields($url_parts['params']), +	));  	return;  } @@ -360,6 +364,23 @@ function get_context($text, $words, $length = 400)  }  /** +* Cleans a search string by removing single wildcards from it and replacing multiple spaces with a single one. +* +* @param string $search_string The full search string which should be cleaned. +* +* @return string The cleaned search string without any wildcards and multiple spaces. +*/ +function phpbb_clean_search_string($search_string) +{ +	// This regular expressions matches every single wildcard. +	// That means one after a whitespace or the beginning of the string or one before a whitespace or the end of the string. +	$search_string = preg_replace('#(?<=^|\s)\*+(?=\s|$)#', '', $search_string); +	$search_string = trim($search_string); +	$search_string = preg_replace(array('#\s+#u', '#\*+#u'), array(' ', '*'), $search_string); +	return $search_string; +} + +/**  * Decode text whereby text is coming from the db and expected to be pre-parsed content  * We are placing this outside of the message parser because we are often in need of it...  */ @@ -427,13 +448,13 @@ function generate_text_for_display($text, $uid, $bitfield, $flags, $censor_text  	* @var string	bitfield		The BBCode Bitfield  	* @var int		flags			The BBCode Flags  	* @var bool		censor_text		Whether or not to apply word censors -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('text', 'uid', 'bitfield', 'flags', 'censor_text');  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_display_before', compact($vars)));  	if ($censor_text) -	{		 +	{  		$text = censor_text($text);  	} @@ -469,7 +490,7 @@ function generate_text_for_display($text, $uid, $bitfield, $flags, $censor_text  	* @var string	uid			The BBCode UID  	* @var string	bitfield	The BBCode Bitfield  	* @var int		flags		The BBCode Flags -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('text', 'uid', 'bitfield', 'flags');  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_display_after', compact($vars))); @@ -481,7 +502,7 @@ function generate_text_for_display($text, $uid, $bitfield, $flags, $censor_text  * For parsing custom parsed text to be stored within the database.  * This function additionally returns the uid and bitfield that needs to be stored.  * Expects $text to be the value directly from request_var() and in it's non-parsed form -*  +*  * @param string $text The text to be replaced with the parsed one  * @param string $uid The BBCode uid for this parse  * @param string $bitfield The BBCode bitfield for this parse @@ -507,9 +528,17 @@ function generate_text_for_storage(&$text, &$uid, &$bitfield, &$flags, $allow_bb  	* @var bool		allow_bbcode	Whether or not to parse BBCode  	* @var bool		allow_urls		Whether or not to parse URLs  	* @var bool		allow_smilies	Whether or not to parse Smilies -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/ -	$vars = array('text', 'uid', 'bitfield', 'flags', 'allow_bbcode', 'allow_urls', 'allow_smilies'); +	$vars = array( +		'text', +		'uid', +		'bitfield', +		'flags', +		'allow_bbcode', +		'allow_urls', +		'allow_smilies', +	);  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_storage_before', compact($vars)));  	$uid = $bitfield = ''; @@ -547,7 +576,7 @@ function generate_text_for_storage(&$text, &$uid, &$bitfield, &$flags, $allow_bb  	* @var string	uid				The BBCode UID  	* @var string	bitfield		The BBCode Bitfield  	* @var int		flags			The BBCode Flags -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('text', 'uid', 'bitfield', 'flags');  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_storage_after', compact($vars))); @@ -570,7 +599,7 @@ function generate_text_for_edit($text, $uid, $flags)  	* @var string	text			The text to parse  	* @var string	uid				The BBCode UID  	* @var int		flags			The BBCode Flags -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('text', 'uid', 'flags');  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_edit_before', compact($vars))); @@ -583,7 +612,7 @@ function generate_text_for_edit($text, $uid, $flags)  	* @event core.modify_text_for_edit_after  	* @var string	text			The text to parse  	* @var int		flags			The BBCode Flags -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('text', 'flags');  	extract($phpbb_dispatcher->trigger_event('core.modify_text_for_edit_after', compact($vars))); @@ -1374,7 +1403,7 @@ function get_username_string($mode, $user_id, $username, $username_colour = '',  	{  		$username_string = str_replace(array('{PROFILE_URL}', '{USERNAME_COLOUR}', '{USERNAME}'), array($profile_url, $username_colour, $username), (!$username_colour) ? $_profile_cache['tpl_profile'] : $_profile_cache['tpl_profile_colour']);  	} -	 +  	/**  	* Use this event to change the output of get_username_string()  	* @@ -1390,9 +1419,18 @@ function get_username_string($mode, $user_id, $username, $username_colour = '',  	*								profile url.  	* @var string username_string	The string that has been generated  	* @var array _profile_cache		Array of original return templates -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/ -	$vars = array('mode', 'user_id', 'username', 'username_colour', 'guest_username', 'custom_profile_url', 'username_string', '_profile_cache'); +	$vars = array( +		'mode', +		'user_id', +		'username', +		'username_colour', +		'guest_username', +		'custom_profile_url', +		'username_string', +		'_profile_cache', +	);  	extract($phpbb_dispatcher->trigger_event('core.modify_username_string', compact($vars)));  	return $username_string; @@ -1415,6 +1453,38 @@ function phpbb_add_quickmod_option($option, $lang_string)  }  /** +* Concatenate an array into a string list. +* +* @param array $items Array of items to concatenate +* @param object $user The phpBB $user object. +* +* @return string String list. Examples: "A"; "A and B"; "A, B, and C" +*/ +function phpbb_generate_string_list($items, $user) +{ +	if (empty($items)) +	{ +		return ''; +	} + +	$count = sizeof($items); +	$last_item = array_pop($items); +	$lang_key = 'STRING_LIST_MULTI'; + +	if ($count == 1) +	{ +		return $last_item; +	} +	else if ($count == 2) +	{ +		$lang_key = 'STRING_LIST_SIMPLE'; +	} +	$list = implode($user->lang['COMMA_SEPARATOR'], $items); + +	return $user->lang($lang_key, $list, $last_item); +} + +/**  * @package phpBB3  */  class bitfield diff --git a/phpBB/includes/functions_database_helper.php b/phpBB/includes/functions_database_helper.php index 923e542690..4b2cbdd25b 100644 --- a/phpBB/includes/functions_database_helper.php +++ b/phpBB/includes/functions_database_helper.php @@ -22,14 +22,14 @@ if (!defined('IN_PHPBB'))  *  * The only supported table is bookmarks.  * -* @param \phpbb\db\driver\driver $db Database object +* @param \phpbb\db\driver\driver_interface $db Database object  * @param string $table Table on which to perform the update  * @param string $column Column whose values to change  * @param array $from_values An array of values that should be changed  * @param int $to_value The new value  * @return null  */ -function phpbb_update_rows_avoiding_duplicates(\phpbb\db\driver\driver $db, $table, $column, $from_values, $to_value) +function phpbb_update_rows_avoiding_duplicates(\phpbb\db\driver\driver_interface $db, $table, $column, $from_values, $to_value)  {  	$sql = "SELECT $column, user_id  		FROM $table @@ -107,14 +107,14 @@ function phpbb_update_rows_avoiding_duplicates(\phpbb\db\driver\driver $db, $tab  *  * The only supported table is topics_watch.  * -* @param \phpbb\db\driver\driver $db Database object +* @param \phpbb\db\driver\driver_interface $db Database object  * @param string $table Table on which to perform the update  * @param string $column Column whose values to change  * @param array $from_values An array of values that should be changed  * @param int $to_value The new value  * @return null  */ -function phpbb_update_rows_avoiding_duplicates_notify_status(\phpbb\db\driver\driver $db, $table, $column, $from_values, $to_value) +function phpbb_update_rows_avoiding_duplicates_notify_status(\phpbb\db\driver\driver_interface $db, $table, $column, $from_values, $to_value)  {  	$sql = "SELECT $column, user_id, notify_status  		FROM $table diff --git a/phpBB/includes/functions_display.php b/phpBB/includes/functions_display.php index e663ac90c5..353f0be04b 100644 --- a/phpBB/includes/functions_display.php +++ b/phpBB/includes/functions_display.php @@ -138,7 +138,7 @@ function display_forums($root_data = '', $display_moderators = true, $return_mod  	*  	* @event core.display_forums_modify_sql  	* @var	array	sql_ary		The SQL array to get the data of the forums -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('sql_ary');  	extract($phpbb_dispatcher->trigger_event('core.display_forums_modify_sql', compact($vars))); @@ -161,7 +161,7 @@ function display_forums($root_data = '', $display_moderators = true, $return_mod  		* @event core.display_forums_modify_row  		* @var	int		branch_root_id	Last top-level forum  		* @var	array	row				The data of the forum -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('branch_root_id', 'row');  		extract($phpbb_dispatcher->trigger_event('core.display_forums_modify_row', compact($vars))); @@ -318,7 +318,7 @@ function display_forums($root_data = '', $display_moderators = true, $return_mod  		* @var	int		branch_root_id	Current top-level forum  		* @var	int		parent_id		Current parent forum  		* @var	array	row				The data of the forum -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('forum_rows', 'subforums', 'branch_root_id', 'parent_id', 'row');  		extract($phpbb_dispatcher->trigger_event('core.display_forums_modify_forum_rows', compact($vars))); @@ -441,7 +441,7 @@ function display_forums($root_data = '', $display_moderators = true, $return_mod  				}  			} -			$l_subforums = (sizeof($subforums[$forum_id]) == 1) ? $user->lang['SUBFORUM'] . ': ' : $user->lang['SUBFORUMS'] . ': '; +			$l_subforums = (sizeof($subforums[$forum_id]) == 1) ? $user->lang['SUBFORUM'] : $user->lang['SUBFORUMS'];  			$folder_image = ($forum_unread) ? 'forum_unread_subforum' : 'forum_read_subforum';  		}  		else @@ -568,7 +568,7 @@ function display_forums($root_data = '', $display_moderators = true, $return_mod  		* @event core.display_forums_modify_template_vars  		* @var	array	forum_row		Template data of the forum  		* @var	array	row				The data of the forum -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('forum_row', 'row');  		extract($phpbb_dispatcher->trigger_event('core.display_forums_modify_template_vars', compact($vars))); @@ -900,7 +900,6 @@ function topic_status(&$topic_row, $replies, $unread_topic, &$folder_img, &$fold  			$folder_new .= '_locked';  		} -  		$folder_img = ($unread_topic) ? $folder_new : $folder;  		$folder_alt = ($unread_topic) ? 'UNREAD_POSTS' : (($topic_row['topic_status'] == ITEM_LOCKED) ? 'TOPIC_LOCKED' : 'NO_UNREAD_POSTS'); @@ -962,6 +961,7 @@ function display_custom_bbcodes()  			'BBCODE_NAME'		=> "'[{$row['bbcode_tag']}]', '[/" . str_replace('=', '', $row['bbcode_tag']) . "]'",  			'BBCODE_ID'			=> $num_predefined_bbcodes + ($i * 2),  			'BBCODE_TAG'		=> $row['bbcode_tag'], +			'BBCODE_TAG_CLEAN'	=> str_replace('=', '-', $row['bbcode_tag']),  			'BBCODE_HELPLINE'	=> $row['bbcode_helpline'],  			'A_BBCODE_HELPLINE'	=> str_replace(array('&', '"', "'", '<', '>'), array('&', '"', "\'", '<', '>'), $row['bbcode_helpline']),  		); @@ -974,7 +974,7 @@ function display_custom_bbcodes()  		* @event core.display_custom_bbcodes_modify_row  		* @var	array	custom_tags		Template data of the bbcode  		* @var	array	row				The data of the bbcode -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('custom_tags', 'row');  		extract($phpbb_dispatcher->trigger_event('core.display_custom_bbcodes_modify_row', compact($vars))); @@ -989,7 +989,7 @@ function display_custom_bbcodes()  	* Display custom bbcodes  	*  	* @event core.display_custom_bbcodes -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$phpbb_dispatcher->dispatch('core.display_custom_bbcodes');  } @@ -1376,92 +1376,6 @@ function get_user_rank($user_rank, $user_posts, &$rank_title, &$rank_img, &$rank  }  /** -* Get user avatar -* -* @param array $user_row Row from the users table -* @param string $alt Optional language string for alt tag within image, can be a language key or text -* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP -* -* @return string Avatar html -*/ -function phpbb_get_user_avatar($user_row, $alt = 'USER_AVATAR', $ignore_config = false) -{ -	$row = \phpbb\avatar\manager::clean_row($user_row, 'user'); -	return phpbb_get_avatar($row, $alt, $ignore_config); -} - -/** -* Get group avatar -* -* @param array $group_row Row from the groups table -* @param string $alt Optional language string for alt tag within image, can be a language key or text -* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP -* -* @return string Avatar html -*/ -function phpbb_get_group_avatar($user_row, $alt = 'GROUP_AVATAR', $ignore_config = false) -{ -	$row = \phpbb\avatar\manager::clean_row($user_row, 'group'); -	return phpbb_get_avatar($row, $alt, $ignore_config); -} - -/** -* Get avatar -* -* @param array $row Row cleaned by \phpbb\avatar\driver\driver::clean_row -* @param string $alt Optional language string for alt tag within image, can be a language key or text -* @param bool $ignore_config Ignores the config-setting, to be still able to view the avatar in the UCP -* -* @return string Avatar html -*/ -function phpbb_get_avatar($row, $alt, $ignore_config = false) -{ -	global $user, $config, $cache, $phpbb_root_path, $phpEx; -	global $request; -	global $phpbb_container; - -	if (!$config['allow_avatar'] && !$ignore_config) -	{ -		return ''; -	} - -	$avatar_data = array( -		'src' => $row['avatar'], -		'width' => $row['avatar_width'], -		'height' => $row['avatar_height'], -	); - -	$phpbb_avatar_manager = $phpbb_container->get('avatar.manager'); -	$driver = $phpbb_avatar_manager->get_driver($row['avatar_type'], $ignore_config); -	$html = ''; - -	if ($driver) -	{ -		$html = $driver->get_custom_html($user, $row, $alt); -		if (!empty($html)) -		{ -			return $html; -		} - -		$avatar_data = $driver->get_data($row, $ignore_config); -	} -	else -	{ -		$avatar_data['src'] = ''; -	} - -	if (!empty($avatar_data['src'])) -	{ -		$html = '<img src="' . $avatar_data['src'] . '" ' . -			($avatar_data['width'] ? ('width="' . $avatar_data['width'] . '" ') : '') . -			($avatar_data['height'] ? ('height="' . $avatar_data['height'] . '" ') : '') . -			'alt="' . ((!empty($user->lang[$alt])) ? $user->lang[$alt] : $alt) . '" />'; -	} - -	return $html; -} - -/**  * Generate a list of archive types available for compressing attachments  *  * @param string $param_key Either topic_id or post_id diff --git a/phpBB/includes/functions_download.php b/phpBB/includes/functions_download.php index e7a1d2bff5..7ad34d9515 100644 --- a/phpBB/includes/functions_download.php +++ b/phpBB/includes/functions_download.php @@ -596,7 +596,7 @@ function phpbb_parse_range_request($request_array, $filesize)  /**  * Increments the download count of all provided attachments  * -* @param \phpbb\db\driver\driver $db The database object +* @param \phpbb\db\driver\driver_interface $db The database object  * @param array|int $ids The attach_id of each attachment  *  * @return null @@ -617,7 +617,7 @@ function phpbb_increment_downloads($db, $ids)  /**  * Handles authentication when downloading attachments from a post or topic  * -* @param \phpbb\db\driver\driver $db The database object +* @param \phpbb\db\driver\driver_interface $db The database object  * @param \phpbb\auth\auth $auth The authentication object  * @param int $topic_id The id of the topic that we are downloading from  * @@ -625,17 +625,29 @@ function phpbb_increment_downloads($db, $ids)  */  function phpbb_download_handle_forum_auth($db, $auth, $topic_id)  { -	$sql = 'SELECT t.forum_id, f.forum_name, f.forum_password, f.parent_id -		FROM ' . TOPICS_TABLE . ' t, ' . FORUMS_TABLE . " f -		WHERE t.topic_id = " . (int) $topic_id . " -			AND t.forum_id = f.forum_id"; +	$sql_array = array( +		'SELECT'	=> 't.topic_visibility, t.forum_id, f.forum_name, f.forum_password, f.parent_id', +		'FROM'		=> array( +			TOPICS_TABLE => 't', +			FORUMS_TABLE => 'f', +		), +		'WHERE'	=> 't.topic_id = ' . (int) $topic_id . ' +			AND t.forum_id = f.forum_id', +	); + +	$sql = $db->sql_build_query('SELECT', $sql_array);  	$result = $db->sql_query($sql);  	$row = $db->sql_fetchrow($result);  	$db->sql_freeresult($result); -	if ($auth->acl_get('u_download') && $auth->acl_get('f_download', $row['forum_id'])) +	if ($row && $row['topic_visibility'] != ITEM_APPROVED && !$auth->acl_get('m_approve', $row['forum_id']))  	{ -		if ($row && $row['forum_password']) +		send_status_line(404, 'Not Found'); +		trigger_error('ERROR_NO_ATTACHMENT'); +	} +	else if ($row && $auth->acl_get('u_download') && $auth->acl_get('f_download', $row['forum_id'])) +	{ +		if ($row['forum_password'])  		{  			// Do something else ... ?  			login_forum_box($row); @@ -651,7 +663,7 @@ function phpbb_download_handle_forum_auth($db, $auth, $topic_id)  /**  * Handles authentication when downloading attachments from PMs  * -* @param \phpbb\db\driver\driver $db The database object +* @param \phpbb\db\driver\driver_interface $db The database object  * @param \phpbb\auth\auth $auth The authentication object  * @param int $user_id The user id  * @param int $msg_id The id of the PM that we are downloading from @@ -678,7 +690,7 @@ function phpbb_download_handle_pm_auth($db, $auth, $user_id, $msg_id)  /**  * Checks whether a user can download from a particular PM  * -* @param \phpbb\db\driver\driver $db The database object +* @param \phpbb\db\driver\driver_interface $db The database object  * @param int $user_id The user id  * @param int $msg_id The id of the PM that we are downloading from  * diff --git a/phpBB/includes/functions_install.php b/phpBB/includes/functions_install.php index deb304b838..4f8ec99d88 100644 --- a/phpBB/includes/functions_install.php +++ b/phpBB/includes/functions_install.php @@ -486,12 +486,14 @@ function adjust_language_keys_callback($matches)  * @param	array	$data Array containing the database connection information  * @param	string	$dbms The name of the DBAL class to use  * @param	bool	$debug If the debug constants should be enabled by default or not +* @param	bool	$debug_container If the container should be compiled on +*					every page load or not  * @param	bool	$debug_test If the DEBUG_TEST constant should be added  *					NOTE: Only for use within the testing framework  *  * @return	string	The output to write to the file  */ -function phpbb_create_config_file_data($data, $dbms, $debug = false, $debug_test = false) +function phpbb_create_config_file_data($data, $dbms, $debug = false, $debug_container = false, $debug_test = false)  {  	$config_data = "<?php\n";  	$config_data .= "// phpBB 3.1.x auto-generated configuration file\n// Do not change anything in this file!\n"; @@ -526,6 +528,15 @@ function phpbb_create_config_file_data($data, $dbms, $debug = false, $debug_test  		$config_data .= "// @define('DEBUG', true);\n";  	} +	if ($debug_container) +	{ +		$config_data .= "@define('DEBUG_CONTAINER', true);\n"; +	} +	else +	{ +		$config_data .= "// @define('DEBUG_CONTAINER', true);\n"; +	} +  	if ($debug_test)  	{  		$config_data .= "@define('DEBUG_TEST', true);\n"; @@ -581,3 +592,22 @@ function phpbb_ignore_new_file_on_update($phpbb_root_path, $file)  	return $ignore_new_file;  } + +/** +* Check whether phpBB is installed. +* +* @param string $phpbb_root_path	Path to the phpBB board root. +* @param string $php_ext			PHP file extension. +* +* @return bool Returns true if phpBB is installed. +*/ +function phpbb_check_installation_exists($phpbb_root_path, $php_ext) +{ +	// Try opening config file +	if (file_exists($phpbb_root_path . 'config.' . $php_ext)) +	{ +		include($phpbb_root_path . 'config.' . $php_ext); +	} + +	return defined('PHPBB_INSTALLED'); +} diff --git a/phpBB/includes/functions_messenger.php b/phpBB/includes/functions_messenger.php index 6ceeb50330..79a5aeda1a 100644 --- a/phpBB/includes/functions_messenger.php +++ b/phpBB/includes/functions_messenger.php @@ -484,14 +484,17 @@ class messenger  			$use_queue = true;  		} +		$contact_name = htmlspecialchars_decode($config['board_contact_name']); +		$board_contact = (($contact_name !== '') ? '"' . mail_encode($contact_name) . '" ' : '') . '<' . $config['board_contact'] . '>'; +  		if (empty($this->replyto))  		{ -			$this->replyto = '<' . $config['board_contact'] . '>'; +			$this->replyto = $board_contact;  		}  		if (empty($this->from))  		{ -			$this->from = '<' . $config['board_contact'] . '>'; +			$this->from = $board_contact;  		}  		$encode_eol = ($config['smtp_delivery']) ? "\r\n" : $this->eol; @@ -768,13 +771,15 @@ class queue  					if (!$this->jabber->connect())  					{ -						messenger::error('JABBER', $user->lang['ERR_JAB_CONNECT']); +						$messenger = new messenger(); +						$messenger->error('JABBER', $user->lang['ERR_JAB_CONNECT']);  						continue 2;  					}  					if (!$this->jabber->login())  					{ -						messenger::error('JABBER', $user->lang['ERR_JAB_AUTH']); +						$messenger = new messenger(); +						$messenger->error('JABBER', $user->lang['ERR_JAB_AUTH']);  						continue 2;  					} @@ -807,7 +812,8 @@ class queue  						if (!$result)  						{ -							messenger::error('EMAIL', $err_msg); +							$messenger = new messenger(); +							$messenger->error('EMAIL', $err_msg);  							continue 2;  						}  					break; @@ -817,7 +823,8 @@ class queue  						{  							if ($this->jabber->send_message($address, $msg, $subject) === false)  							{ -								messenger::error('JABBER', $this->jabber->get_log()); +								$messenger = new messenger(); +								$messenger->error('JABBER', $this->jabber->get_log());  								continue 3;  							}  						} diff --git a/phpBB/includes/functions_module.php b/phpBB/includes/functions_module.php index e1259eba12..04efcb7b2e 100644 --- a/phpBB/includes/functions_module.php +++ b/phpBB/includes/functions_module.php @@ -80,7 +80,7 @@ class p_master  	function list_modules($p_class)  	{  		global $auth, $db, $user, $cache; -		global $config, $phpbb_root_path, $phpEx; +		global $config, $phpbb_root_path, $phpEx, $phpbb_dispatcher;  		// Sanitise for future path use, it's escaped as appropriate for queries  		$this->p_class = str_replace(array('.', '/', '\\'), '', basename($p_class)); @@ -125,8 +125,17 @@ class p_master  		// Clean up module cache array to only let survive modules the user can access  		$right_id = false; + +		$hide_categories = array();  		foreach ($this->module_cache['modules'] as $key => $row)  		{ +			// When the module has no mode (category) we check whether it has visible children +			// before listing it as well. +			if (!$row['module_mode']) +			{ +				$hide_categories[(int) $row['module_id']] = $key; +			} +  			// Not allowed to view module?  			if (!$this->module_auth_self($row['module_auth']))  			{ @@ -161,6 +170,22 @@ class p_master  				$right_id = $row['right_id'];  				continue;  			} + +			if ($row['module_mode']) +			{ +				// The parent category has a visible child +				// So remove it and all its parents from the hide array +				unset($hide_categories[(int) $row['parent_id']]); +				foreach ($this->module_cache['parents'][$row['module_id']] as $module_id => $row_id) +				{ +					unset($hide_categories[$module_id]); +				} +			} +		} + +		foreach ($hide_categories as $module_id => $row_id) +		{ +			unset($this->module_cache['modules'][$row_id]);  		}  		// Re-index (this is needed, else we are not able to array_slice later) @@ -259,6 +284,20 @@ class p_master  				$custom_func($row['module_mode'], $module_row);  			} +			/** +			* This event allows to modify parameters for building modules list +			* +			* @event core.modify_module_row +			* @var	string		url_func		Function for building 'url_extra' +			* @var	string		lang_func		Function for building the language name +			* @var	string		custom_func		Custom function for calling parameters on module init +			* @var	array		row				Array holding the basic module data +			* @var	array		module_row		Array holding the module display parameters +			* @since 3.1.0-b3 +			*/ +			$vars = array('url_func', 'lang_func', 'custom_func', 'row', 'module_row'); +			extract($phpbb_dispatcher->trigger_event('core.modify_module_row', compact($vars))); +  			$this->module_ary[] = $module_row;  		} @@ -334,7 +373,7 @@ class p_master  	static function module_auth($module_auth, $forum_id)  	{  		global $auth, $config; -		global $request; +		global $request, $phpbb_extension_manager, $phpbb_dispatcher;  		$module_auth = trim($module_auth); @@ -351,6 +390,31 @@ class p_master  			[(),]                                  |  			[^\s(),]+)/x', $module_auth, $match); +		// Valid tokens for auth and their replacements +		$valid_tokens = array( +			'acl_([a-z0-9_]+)(,\$id)?'		=> '(int) $auth->acl_get(\'\\1\'\\2)', +			'\$id'							=> '(int) $forum_id', +			'aclf_([a-z0-9_]+)'				=> '(int) $auth->acl_getf_global(\'\\1\')', +			'cfg_([a-z0-9_]+)'				=> '(int) $config[\'\\1\']', +			'request_([a-zA-Z0-9_]+)'		=> '$request->variable(\'\\1\', false)', +			'ext_([a-zA-Z0-9_/]+)'			=> 'array_key_exists(\'\\1\', $phpbb_extension_manager->all_enabled())', +			'authmethod_([a-z0-9_\\\\]+)'		=> '($config[\'auth_method\'] === \'\\1\')', +		); + +		/** +		* Alter tokens for module authorisation check +		* +		* @event core.module_auth +		* @var	array	valid_tokens		Valid tokens and their auth check +		*									replacements +		* @var	string	module_auth			The module_auth of the current +		* 									module +		* @var	int		forum_id			The current forum_id +		* @since 3.1.0-a3 +		*/ +		$vars = array('valid_tokens', 'module_auth', 'forum_id'); +		extract($phpbb_dispatcher->trigger_event('core.module_auth', compact($vars))); +  		$tokens = $match[0];  		for ($i = 0, $size = sizeof($tokens); $i < $size; $i++)  		{ @@ -366,7 +430,7 @@ class p_master  				break;  				default: -					if (!preg_match('#(?:acl_([a-z0-9_]+)(,\$id)?)|(?:\$id)|(?:aclf_([a-z0-9_]+))|(?:cfg_([a-z0-9_]+))|(?:request_([a-zA-Z0-9_]+))#', $token)) +					if (!preg_match('#(?:' . implode(array_keys($valid_tokens), ')|(?:') . ')#', $token))  					{  						$token = '';  					} @@ -379,8 +443,17 @@ class p_master  		// Make sure $id separation is working fine  		$module_auth = str_replace(' , ', ',', $module_auth); +		$module_auth = preg_replace( +			// Array keys with # prepended/appended +			array_map(function($value) { +				return '#' . $value . '#'; +			}, array_keys($valid_tokens)), +			array_values($valid_tokens), +			$module_auth +		); +  		$is_auth = false; -		eval('$is_auth = (int) (' . preg_replace(array('#acl_([a-z0-9_]+)(,\$id)?#', '#\$id#', '#aclf_([a-z0-9_]+)#', '#cfg_([a-z0-9_]+)#', '#request_([a-zA-Z0-9_]+)#'), array('(int) $auth->acl_get(\'\\1\'\\2)', '(int) $forum_id', '(int) $auth->acl_getf_global(\'\\1\')', '(int) $config[\'\\1\']', '$request->variable(\'\\1\', false)'), $module_auth) . ');'); +		eval('$is_auth = (int) (' .	$module_auth . ');');  		return $is_auth;  	} @@ -462,7 +535,7 @@ class p_master  		if ($this->active_module === false)  		{ -			trigger_error('Module not accessible', E_USER_ERROR); +			trigger_error('MODULE_NOT_ACCESS', E_USER_ERROR);  		}  		// new modules use the full class names, old ones are always called <type>_<name>, e.g. acp_board @@ -470,14 +543,14 @@ class p_master  		{  			if (!file_exists("$module_path/{$this->p_name}.$phpEx"))  			{ -				trigger_error("Cannot find module $module_path/{$this->p_name}.$phpEx", E_USER_ERROR); +				trigger_error($user->lang('MODULE_NOT_FIND', "$module_path/{$this->p_name}.$phpEx"), E_USER_ERROR);  			}  			include("$module_path/{$this->p_name}.$phpEx");  			if (!class_exists($this->p_name))  			{ -				trigger_error("Module file $module_path/{$this->p_name}.$phpEx does not contain correct class [{$this->p_name}]", E_USER_ERROR); +				trigger_error($user->lang('MODULE_FILE_INCORRECT_CLASS', "$module_path/{$this->p_name}.$phpEx", $this->p_name), E_USER_ERROR);  			}  		} @@ -898,7 +971,7 @@ class p_master  	/**  	* Display module  	*/ -	function display($page_title, $display_online_list = true) +	function display($page_title, $display_online_list = false)  	{  		global $template, $user; diff --git a/phpBB/includes/functions_posting.php b/phpBB/includes/functions_posting.php index 172f4403ac..547ea69e81 100644 --- a/phpBB/includes/functions_posting.php +++ b/phpBB/includes/functions_posting.php @@ -21,8 +21,10 @@ if (!defined('IN_PHPBB'))  function generate_smilies($mode, $forum_id)  {  	global $db, $user, $config, $template, $phpbb_dispatcher; -	global $phpEx, $phpbb_root_path; +	global $phpEx, $phpbb_root_path, $phpbb_container; +	$base_url = append_sid("{$phpbb_root_path}posting.$phpEx", 'mode=smilies&f=' . $forum_id); +	$pagination = $phpbb_container->get('pagination');  	$start = request_var('start', 0);  	if ($mode == 'window') @@ -61,7 +63,8 @@ function generate_smilies($mode, $forum_id)  			'body' => 'posting_smilies.html')  		); -		generate_pagination(append_sid("{$phpbb_root_path}posting.$phpEx", 'mode=smilies&f=' . $forum_id), $smiley_count, $config['smilies_per_page'], $start); +		$start = $pagination->validate_start($start, $config['smilies_per_page'], $smiley_count); +		$pagination->generate_template_pagination($base_url, 'pagination', 'start', $smiley_count, $config['smilies_per_page'], $start);  	}  	$display_link = false; @@ -130,7 +133,7 @@ function generate_smilies($mode, $forum_id)  	* @var	string	mode			Mode of the smilies: window|inline  	* @var	int		forum_id		The forum ID we are currently in  	* @var	bool	display_link	Shall we display the "more smilies" link? -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('mode', 'forum_id', 'display_link');  	extract($phpbb_dispatcher->trigger_event('core.generate_smilies_after', compact($vars))); @@ -139,8 +142,8 @@ function generate_smilies($mode, $forum_id)  	{  		$template->assign_vars(array(  			'S_SHOW_SMILEY_LINK' 	=> true, -			'U_MORE_SMILIES' 		=> append_sid("{$phpbb_root_path}posting.$phpEx", 'mode=smilies&f=' . $forum_id)) -		); +			'U_MORE_SMILIES' 		=> $base_url, +		));  	}  	if ($mode == 'window') @@ -170,7 +173,6 @@ function update_post_information($type, $ids, $return_update_sql = false)  		$ids = array($ids);  	} -  	$update_sql = $empty_forums = $not_empty_forums = array();  	if ($type != 'topic') @@ -412,6 +414,10 @@ function upload_attachment($form_name, $forum_id, $local = false, $local_storage  	{  		$upload->set_disallowed_content(explode('|', $config['mime_triggers']));  	} +	else if (!$config['check_attachment_content']) +	{ +		$upload->set_disallowed_content(array()); +	}  	$filedata['post_attach'] = $local || $upload->is_valid($form_name); @@ -862,6 +868,7 @@ function posting_gen_attachment_entry($attachment_data, &$filename_data, $show_a  				'ATTACH_ID'			=> $attach_row['attach_id'],  				'S_IS_ORPHAN'		=> $attach_row['is_orphan'],  				'ASSOC_INDEX'		=> $count, +				'FILESIZE'			=> get_formatted_filesize($attach_row['filesize']),  				'U_VIEW_ATTACHMENT'	=> $download_link,  				'S_HIDDEN'			=> $hidden) @@ -1145,7 +1152,7 @@ function topic_review($topic_id, $forum_id, $mode = 'topic_review', $cur_post_id  			'S_HAS_ATTACHMENTS'	=> (!empty($attachments[$row['post_id']])) ? true : false,  			'S_FRIEND'			=> ($row['friend']) ? true : false,  			'S_IGNORE_POST'		=> ($row['foe']) ? true : false, -			'L_IGNORE_POST'		=> ($row['foe']) ? sprintf($user->lang['POST_BY_FOE'], get_username_string('full', $poster_id, $row['username'], $row['user_colour'], $row['post_username']), "<a href=\"{$u_show_post}\" onclick=\"dE('{$post_anchor}', 1); return false;\">", '</a>') : '', +			'L_IGNORE_POST'		=> ($row['foe']) ? sprintf($user->lang['POST_BY_FOE'], get_username_string('full', $poster_id, $row['username'], $row['user_colour'], $row['post_username']), "<a href=\"{$u_show_post}\" onclick=\"phpbb.toggleDisplay('{$post_anchor}', 1); return false;\">", '</a>') : '',  			'POST_SUBJECT'		=> $post_subject,  			'MINI_POST_IMG'		=> $user->img('icon_post_target', $user->lang['POST']), @@ -1288,7 +1295,7 @@ function delete_post($forum_id, $topic_id, $post_id, &$data, $is_soft = false, $  				{  					$sql_data[FORUMS_TABLE] .= 'forum_posts_approved = forum_posts_approved - 1, forum_topics_approved = forum_topics_approved - 1';  				} -				else if ($data['topic_visibility'] == ITEM_UNAPPROVED) +				else if ($data['topic_visibility'] == ITEM_UNAPPROVED || $data['post_visibility'] == ITEM_REAPPROVE)  				{  					$sql_data[FORUMS_TABLE] .= 'forum_posts_unapproved = forum_posts_unapproved - 1, forum_topics_unapproved = forum_topics_unapproved - 1';  				} @@ -1395,7 +1402,7 @@ function delete_post($forum_id, $topic_id, $post_id, &$data, $is_soft = false, $  			{  				$phpbb_content_visibility->remove_post_from_statistic($data, $sql_data);  			} -			else if ($data['post_visibility'] == ITEM_UNAPPROVED) +			else if ($data['post_visibility'] == ITEM_UNAPPROVED || $data['post_visibility'] == ITEM_REAPPROVE)  			{  				$sql_data[FORUMS_TABLE] = (($sql_data[FORUMS_TABLE]) ? $sql_data[FORUMS_TABLE] . ', ' : '') . 'forum_posts_unapproved = forum_posts_unapproved - 1';  				$sql_data[TOPICS_TABLE] = (($sql_data[TOPICS_TABLE]) ? $sql_data[TOPICS_TABLE] . ', ' : '') . 'topic_posts_unapproved = topic_posts_unapproved - 1'; @@ -1475,6 +1482,32 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  {  	global $db, $auth, $user, $config, $phpEx, $template, $phpbb_root_path, $phpbb_container, $phpbb_dispatcher; +	/** +	* Modify the data for post submitting +	* +	* @event core.modify_submit_post_data +	* @var	string	mode				Variable containing posting mode value +	* @var	string	subject				Variable containing post subject value +	* @var	string	username			Variable containing post author name +	* @var	int		topic_type			Variable containing topic type value +	* @var	array	poll				Array with the poll data for the post +	* @var	array	data				Array with the data for the post +	* @var	bool	update_message		Flag indicating if the post will be updated +	* @var	bool	update_search_index	Flag indicating if the search index will be updated +	* @since 3.1.0-a4 +	*/ +	$vars = array( +		'mode', +		'subject', +		'username', +		'topic_type', +		'poll', +		'data', +		'update_message', +		'update_search_index', +	); +	extract($phpbb_dispatcher->trigger_event('core.modify_submit_post_data', compact($vars))); +  	// We do not handle erasing posts here  	if ($mode == 'delete')  	{ @@ -1531,16 +1564,25 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  	{  		// Post not approved, but in queue  		$post_visibility = ITEM_UNAPPROVED; +		switch ($post_mode) +		{ +			case 'edit_first_post': +			case 'edit': +			case 'edit_last_post': +			case 'edit_topic': +				$post_visibility = ITEM_REAPPROVE; +			break; +		}  	}  	// MODs/Extensions are able to force any visibility on posts  	if (isset($data['force_approved_state']))  	{ -		$post_visibility = (in_array((int) $data['force_approved_state'], array(ITEM_APPROVED, ITEM_UNAPPROVED, ITEM_DELETED))) ? (int) $data['force_approved_state'] : $post_visibility; +		$post_visibility = (in_array((int) $data['force_approved_state'], array(ITEM_APPROVED, ITEM_UNAPPROVED, ITEM_DELETED, ITEM_REAPPROVE))) ? (int) $data['force_approved_state'] : $post_visibility;  	}  	if (isset($data['force_visibility']))  	{ -		$post_visibility = (in_array((int) $data['force_visibility'], array(ITEM_APPROVED, ITEM_UNAPPROVED, ITEM_DELETED))) ? (int) $data['force_visibility'] : $post_visibility; +		$post_visibility = (in_array((int) $data['force_visibility'], array(ITEM_APPROVED, ITEM_UNAPPROVED, ITEM_DELETED, ITEM_REAPPROVE))) ? (int) $data['force_visibility'] : $post_visibility;  	}  	// Start the transaction here @@ -2008,6 +2050,7 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  	$first_post_has_topic_info = ($post_mode == 'edit_first_post' &&  			(($post_visibility == ITEM_DELETED && $data['topic_posts_softdeleted'] == 1) ||  			($post_visibility == ITEM_UNAPPROVED && $data['topic_posts_unapproved'] == 1) || +			($post_visibility == ITEM_REAPPROVE && $data['topic_posts_unapproved'] == 1) ||  			($post_visibility == ITEM_APPROVED && $data['topic_posts_approved'] == 1)));  	// Fix the post's and topic's visibility and first/last post information, when the post is edited  	if (($post_mode != 'post' && $post_mode != 'reply') && $data['post_visibility'] != $post_visibility) @@ -2015,7 +2058,7 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  		// If the post was not approved, it could also be the starter,  		// so we sync the starter after approving/restoring, to ensure that the stats are correct  		// Same applies for the last post -		$is_starter = ($post_mode == 'edit_first_post' || $data['post_visibility'] != ITEM_APPROVED); +		$is_starter = ($post_mode == 'edit_first_post' || $post_mode == 'edit_topic' || $data['post_visibility'] != ITEM_APPROVED);  		$is_latest = ($post_mode == 'edit_last_post' || $post_mode == 'edit_topic' || $data['post_visibility'] != ITEM_APPROVED);  		$phpbb_content_visibility = $phpbb_container->get('content.visibility'); @@ -2248,39 +2291,51 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  			case 'edit_first_post':  			case 'edit':  			case 'edit_last_post': -				// @todo: Check whether these notification deletions are correct -				$phpbb_notifications->delete_notifications('topic', $data['topic_id']); - -				$phpbb_notifications->delete_notifications(array( -					'quote', -					'bookmark', -					'post', -				), $data['post_id']); +				// Nothing to do here  			break;  		}  	} -	else if ($post_visibility == ITEM_DELETED) +	else if ($post_visibility == ITEM_REAPPROVE)  	{  		switch ($mode)  		{ +			case 'edit_topic': +			case 'edit_first_post': +				$phpbb_notifications->add_notifications('topic_in_queue', $notification_data); + +				// Delete the approve_post notification so we can notify the user again, +				// when his post got reapproved +				$phpbb_notifications->delete_notifications('approve_post', $notification_data['post_id']); +			break; + +			case 'edit': +			case 'edit_last_post': +				$phpbb_notifications->add_notifications('post_in_queue', $notification_data); + +				// Delete the approve_post notification so we can notify the user again, +				// when his post got reapproved +				$phpbb_notifications->delete_notifications('approve_post', $notification_data['post_id']); +			break; +  			case 'post':  			case 'reply':  			case 'quote':  				// Nothing to do here  			break; - +		} +	} +	else if ($post_visibility == ITEM_DELETED) +	{ +		switch ($mode) +		{ +			case 'post': +			case 'reply': +			case 'quote':  			case 'edit_topic':  			case 'edit_first_post':  			case 'edit':  			case 'edit_last_post': -				// @todo: Check whether these notification deletions are correct -				$phpbb_notifications->delete_notifications('topic', $data['topic_id']); - -				$phpbb_notifications->delete_notifications(array( -					'quote', -					'bookmark', -					'post', -				), $data['post_id']); +				// Nothing to do here  			break;  		}  	} @@ -2317,7 +2372,7 @@ function submit_post($mode, $subject, $username, $topic_type, &$poll, &$data, $u  	* @var	string		url						The "Return to topic" URL  	* @var	array		data					Array of post data about the  	*											submitted post -	* @since 3.1-A3 +	* @since 3.1.0-a3  	*/  	$vars = array('url', 'data');  	extract($phpbb_dispatcher->trigger_event('core.submit_post_end', compact($vars))); diff --git a/phpBB/includes/functions_privmsgs.php b/phpBB/includes/functions_privmsgs.php index a2a79e032f..352e3b8c1f 100644 --- a/phpBB/includes/functions_privmsgs.php +++ b/phpBB/includes/functions_privmsgs.php @@ -314,7 +314,6 @@ function check_rule(&$rules, &$rule_row, &$message_row, $user_id)  		break;  	} -  	if (!$result)  	{  		return false; @@ -1561,7 +1560,7 @@ function get_folder_status($folder_id, $folder)  		'percent'		=> ($user->data['message_limit']) ? (($user->data['message_limit'] > 0) ? round(($folder['num_messages'] / $user->data['message_limit']) * 100) : 100) : 0,  	); -	$return['message']	= $user->lang('FOLDER_STATUS_MSG', (int) $return['max'], $return['cur'], $return['percent']); +	$return['message']	= $user->lang('FOLDER_STATUS_MSG', $user->lang('MESSAGES_COUNT', (int) $return['max']), $return['cur'], $return['percent']);  	return $return;  } @@ -1575,7 +1574,7 @@ function get_folder_status($folder_id, $folder)  */  function submit_pm($mode, $subject, &$data, $put_in_outbox = true)  { -	global $db, $auth, $config, $phpEx, $template, $user, $phpbb_root_path, $phpbb_container; +	global $db, $auth, $config, $phpEx, $template, $user, $phpbb_root_path, $phpbb_container, $phpbb_dispatcher;  	// We do not handle erasing pms here  	if ($mode == 'delete') @@ -1585,6 +1584,18 @@ function submit_pm($mode, $subject, &$data, $put_in_outbox = true)  	$current_time = time(); +	/** +	* Get all parts of the PM that are to be submited to the DB. +	* +	* @event core.submit_pm_before +	* @var	string	mode	PM Post mode - post|reply|quote|quotepost|forward|edit +	* @var	string	subject	Subject of the private message +	* @var	array	data	The whole row data of the PM. +	* @since 3.1.0-b3 +	*/ +	$vars = array('mode', 'subject', 'data'); +	extract($phpbb_dispatcher->trigger_event('core.submit_pm_before', compact($vars))); +  	// Collect some basic information about which tables and which rows to update/insert  	$sql_data = array();  	$root_level = 0; @@ -2018,10 +2029,10 @@ function message_history($msg_id, $user_id, $message_row, $folder, $in_post_mode  			$decoded_message = bbcode_nl2br($decoded_message);  		} -		 +  		$parse_flags = ($row['bbcode_bitfield'] ? OPTION_FLAG_BBCODE : 0);  		$parse_flags |= ($row['enable_smilies'] ? OPTION_FLAG_SMILIES : 0); -		 +  		$message = generate_text_for_display($message, $row['bbcode_uid'], $row['bbcode_bitfield'], $parse_flags, false);  		$subject = censor_text($subject); diff --git a/phpBB/includes/functions_profile_fields.php b/phpBB/includes/functions_profile_fields.php deleted file mode 100644 index 7dd0b0e87d..0000000000 --- a/phpBB/includes/functions_profile_fields.php +++ /dev/null @@ -1,1187 +0,0 @@ -<?php -/** -* -* @package phpBB3 -* @copyright (c) 2005 phpBB Group -* @license http://opensource.org/licenses/gpl-2.0.php GNU General Public License v2 -* -*/ - -/** -* @ignore -*/ -if (!defined('IN_PHPBB')) -{ -	exit; -} - -/** -* Custom Profile Fields -* @package phpBB3 -*/ -class custom_profile -{ -	var $profile_types = array(FIELD_INT => 'int', FIELD_STRING => 'string', FIELD_TEXT => 'text', FIELD_BOOL => 'bool', FIELD_DROPDOWN => 'dropdown', FIELD_DATE => 'date'); -	var $profile_cache = array(); -	var $options_lang = array(); - -	/** -	* Assign editable fields to template, mode can be profile (for profile change) or register (for registration) -	* Called by ucp_profile and ucp_register -	* @access public -	*/ -	function generate_profile_fields($mode, $lang_id) -	{ -		global $db, $template, $auth; - -		$sql_where = ''; -		switch ($mode) -		{ -			case 'register': -				// If the field is required we show it on the registration page -				$sql_where .= ' AND f.field_show_on_reg = 1'; -			break; - -			case 'profile': -				// Show hidden fields to moderators/admins -				if (!$auth->acl_gets('a_', 'm_') && !$auth->acl_getf_global('m_')) -				{ -					$sql_where .= ' AND f.field_show_profile = 1'; -				} -			break; - -			default: -				trigger_error('Wrong profile mode specified', E_USER_ERROR); -			break; -		} - -		$sql = 'SELECT l.*, f.* -			FROM ' . PROFILE_LANG_TABLE . ' l, ' . PROFILE_FIELDS_TABLE . " f -			WHERE f.field_active = 1 -				$sql_where -				AND l.lang_id = $lang_id -				AND l.field_id = f.field_id -			ORDER BY f.field_order"; -		$result = $db->sql_query($sql); - -		while ($row = $db->sql_fetchrow($result)) -		{ -			// Return templated field -			$tpl_snippet = $this->process_field_row('change', $row); - -			// Some types are multivalue, we can't give them a field_id as we would not know which to pick -			$type = (int) $row['field_type']; - -			$template->assign_block_vars('profile_fields', array( -				'LANG_NAME'		=> $row['lang_name'], -				'LANG_EXPLAIN'	=> $row['lang_explain'], -				'FIELD'			=> $tpl_snippet, -				'FIELD_ID'		=> ($type == FIELD_DATE || ($type == FIELD_BOOL && $row['field_length'] == '1')) ? '' : 'pf_' . $row['field_ident'], -				'S_REQUIRED'	=> ($row['field_required']) ? true : false) -			); -		} -		$db->sql_freeresult($result); -	} - -	/** -	* Validate entered profile field data -	* @access public -	*/ -	function validate_profile_field($field_type, &$field_value, $field_data) -	{ -		switch ($field_type) -		{ -			case FIELD_DATE: -				$field_validate = explode('-', $field_value); - -				$day = (isset($field_validate[0])) ? (int) $field_validate[0] : 0; -				$month = (isset($field_validate[1])) ? (int) $field_validate[1] : 0; -				$year = (isset($field_validate[2])) ? (int) $field_validate[2] : 0; - -				if ((!$day || !$month || !$year) && !$field_data['field_required']) -				{ -					return false; -				} - -				if ((!$day || !$month || !$year) && $field_data['field_required']) -				{ -					return 'FIELD_REQUIRED'; -				} - -				if ($day < 0 || $day > 31 || $month < 0 || $month > 12 || ($year < 1901 && $year > 0) || $year > gmdate('Y', time()) + 50) -				{ -					return 'FIELD_INVALID_DATE'; -				} - -				if (checkdate($month, $day, $year) === false) -				{ -					return 'FIELD_INVALID_DATE'; -				} -			break; - -			case FIELD_BOOL: -				$field_value = (bool) $field_value; - -				if (!$field_value && $field_data['field_required']) -				{ -					return 'FIELD_REQUIRED'; -				} -			break; - -			case FIELD_INT: -				if (trim($field_value) === '' && !$field_data['field_required']) -				{ -					return false; -				} - -				$field_value = (int) $field_value; - -				if ($field_value < $field_data['field_minlen']) -				{ -					return 'FIELD_TOO_SMALL'; -				} -				else if ($field_value > $field_data['field_maxlen']) -				{ -					return 'FIELD_TOO_LARGE'; -				} -			break; - -			case FIELD_DROPDOWN: -				$field_value = (int) $field_value; - -				// retrieve option lang data if necessary -				if (!isset($this->options_lang[$field_data['field_id']]) || !isset($this->options_lang[$field_data['field_id']][$field_data['lang_id']]) || !sizeof($this->options_lang[$file_data['field_id']][$field_data['lang_id']])) -				{ -					$this->get_option_lang($field_data['field_id'], $field_data['lang_id'], FIELD_DROPDOWN, false); -				} - -				if (!isset($this->options_lang[$field_data['field_id']][$field_data['lang_id']][$field_value])) -				{ -					return 'FIELD_INVALID_VALUE'; -				} - -				if ($field_value == $field_data['field_novalue'] && $field_data['field_required']) -				{ -					return 'FIELD_REQUIRED'; -				} -			break; - -			case FIELD_STRING: -			case FIELD_TEXT: -				if (trim($field_value) === '' && !$field_data['field_required']) -				{ -					return false; -				} -				else if (trim($field_value) === '' && $field_data['field_required']) -				{ -					return 'FIELD_REQUIRED'; -				} - -				if ($field_data['field_minlen'] && utf8_strlen($field_value) < $field_data['field_minlen']) -				{ -					return 'FIELD_TOO_SHORT'; -				} -				else if ($field_data['field_maxlen'] && utf8_strlen($field_value) > $field_data['field_maxlen']) -				{ -					return 'FIELD_TOO_LONG'; -				} - -				if (!empty($field_data['field_validation']) && $field_data['field_validation'] != '.*') -				{ -					$field_validate = ($field_type == FIELD_STRING) ? $field_value : bbcode_nl2br($field_value); -					if (!preg_match('#^' . str_replace('\\\\', '\\', $field_data['field_validation']) . '$#i', $field_validate)) -					{ -						return 'FIELD_INVALID_CHARS'; -					} -				} -			break; -		} - -		return false; -	} - -	/** -	* Build profile cache, used for display -	* @access private -	*/ -	function build_cache() -	{ -		global $db, $user, $auth; - -		$this->profile_cache = array(); - -		// Display hidden/no_view fields for admin/moderator -		$sql = 'SELECT l.*, f.* -			FROM ' . PROFILE_LANG_TABLE . ' l, ' . PROFILE_FIELDS_TABLE . ' f -			WHERE l.lang_id = ' . $user->get_iso_lang_id() . ' -				AND f.field_active = 1 ' . -				((!$auth->acl_gets('a_', 'm_') && !$auth->acl_getf_global('m_')) ? '	AND f.field_hide = 0 ' : '') . ' -				AND f.field_no_view = 0 -				AND l.field_id = f.field_id -			ORDER BY f.field_order'; -		$result = $db->sql_query($sql); - -		while ($row = $db->sql_fetchrow($result)) -		{ -			$this->profile_cache[$row['field_ident']] = $row; -		} -		$db->sql_freeresult($result); -	} - -	/** -	* Get language entries for options and store them here for later use -	*/ -	function get_option_lang($field_id, $lang_id, $field_type, $preview) -	{ -		global $db; - -		if ($preview) -		{ -			$lang_options = (!is_array($this->vars['lang_options'])) ? explode("\n", $this->vars['lang_options']) : $this->vars['lang_options']; - -			foreach ($lang_options as $num => $var) -			{ -				$this->options_lang[$field_id][$lang_id][($num + 1)] = $var; -			} -		} -		else -		{ -			$sql = 'SELECT option_id, lang_value -				FROM ' . PROFILE_FIELDS_LANG_TABLE . " -					WHERE field_id = $field_id -					AND lang_id = $lang_id -					AND field_type = $field_type -				ORDER BY option_id"; -			$result = $db->sql_query($sql); - -			while ($row = $db->sql_fetchrow($result)) -			{ -				$this->options_lang[$field_id][$lang_id][($row['option_id'] + 1)] = $row['lang_value']; -			} -			$db->sql_freeresult($result); -		} -	} - -	/** -	* Submit profile field for validation -	* @access public -	*/ -	function submit_cp_field($mode, $lang_id, &$cp_data, &$cp_error) -	{ -		global $auth, $db, $user; - -		$sql_where = ''; -		switch ($mode) -		{ -			case 'register': -				// If the field is required we show it on the registration page -				$sql_where .= ' AND f.field_show_on_reg = 1'; -			break; - -			case 'profile': -				// Show hidden fields to moderators/admins -				if (!$auth->acl_gets('a_', 'm_') && !$auth->acl_getf_global('m_')) -				{ -					$sql_where .= ' AND f.field_show_profile = 1'; -				} -			break; - -			default: -				trigger_error('Wrong profile mode specified', E_USER_ERROR); -			break; -		} - -		$sql = 'SELECT l.*, f.* -			FROM ' . PROFILE_LANG_TABLE . ' l, ' . PROFILE_FIELDS_TABLE . " f -			WHERE l.lang_id = $lang_id -				AND f.field_active = 1 -				$sql_where -				AND l.field_id = f.field_id -			ORDER BY f.field_order"; -		$result = $db->sql_query($sql); - -		while ($row = $db->sql_fetchrow($result)) -		{ -			$cp_data['pf_' . $row['field_ident']] = $this->get_profile_field($row); -			$check_value = $cp_data['pf_' . $row['field_ident']]; - -			if (($cp_result = $this->validate_profile_field($row['field_type'], $check_value, $row)) !== false) -			{ -				// If not and only showing common error messages, use this one -				$error = ''; -				switch ($cp_result) -				{ -					case 'FIELD_INVALID_DATE': -					case 'FIELD_INVALID_VALUE': -					case 'FIELD_REQUIRED': -						$error = $user->lang($cp_result, $row['lang_name']); -					break; - -					case 'FIELD_TOO_SHORT': -					case 'FIELD_TOO_SMALL': -						$error = $user->lang($cp_result, (int) $row['field_minlen'], $row['lang_name']); -					break; - -					case 'FIELD_TOO_LONG': -					case 'FIELD_TOO_LARGE': -						$error = $user->lang($cp_result, (int) $row['field_maxlen'], $row['lang_name']); -					break; - -					case 'FIELD_INVALID_CHARS': -						switch ($row['field_validation']) -						{ -							case '[0-9]+': -								$error = $user->lang($cp_result . '_NUMBERS_ONLY', $row['lang_name']); -							break; - -							case '[\w]+': -								$error = $user->lang($cp_result . '_ALPHA_ONLY', $row['lang_name']); -							break; - -							case '[\w_\+\. \-\[\]]+': -								$error = $user->lang($cp_result . '_SPACERS_ONLY', $row['lang_name']); -							break; -						} -					break; -				} - -				if ($error != '') -				{ -					$cp_error[] = $error; -				} -			} -		} -		$db->sql_freeresult($result); -	} - -	/** -	* Update profile field data directly -	*/ -	function update_profile_field_data($user_id, &$cp_data) -	{ -		global $db; - -		if (!sizeof($cp_data)) -		{ -			return; -		} - -		switch ($db->sql_layer) -		{ -			case 'oracle': -			case 'firebird': -			case 'postgres': -				$right_delim = $left_delim = '"'; -			break; - -			case 'sqlite': -			case 'mssql': -			case 'mssql_odbc': -			case 'mssqlnative': -				$right_delim = ']'; -				$left_delim = '['; -			break; - -			case 'mysql': -			case 'mysql4': -			case 'mysqli': -				$right_delim = $left_delim = '`'; -			break; -		} - -		// use new array for the UPDATE; changes in the key do not affect the original array -		$cp_data_sql = array(); -		foreach ($cp_data as $key => $value) -		{ -			// Firebird is case sensitive with delimiter -			$cp_data_sql[$left_delim . (($db->sql_layer == 'firebird' || $db->sql_layer == 'oracle') ? strtoupper($key) : $key) . $right_delim] = $value; -		} - -		$sql = 'UPDATE ' . PROFILE_FIELDS_DATA_TABLE . ' -			SET ' . $db->sql_build_array('UPDATE', $cp_data_sql) . " -			WHERE user_id = $user_id"; -		$db->sql_query($sql); - -		if (!$db->sql_affectedrows()) -		{ -			$cp_data_sql['user_id'] = (int) $user_id; - -			$db->sql_return_on_error(true); - -			$sql = 'INSERT INTO ' . PROFILE_FIELDS_DATA_TABLE . ' ' . $db->sql_build_array('INSERT', $cp_data_sql); -			$db->sql_query($sql); - -			$db->sql_return_on_error(false); -		} -	} - -	/** -	* Assign fields to template, used for viewprofile, viewtopic and memberlist (if load setting is enabled) -	* This is directly connected to the user -> mode == grab is to grab the user specific fields, mode == show is for assigning the row to the template -	* @access public -	*/ -	function generate_profile_fields_template($mode, $user_id = 0, $profile_row = false) -	{ -		global $db; - -		if ($mode == 'grab') -		{ -			if (!is_array($user_id)) -			{ -				$user_id = array($user_id); -			} - -			if (!sizeof($this->profile_cache)) -			{ -				$this->build_cache(); -			} - -			if (!sizeof($user_id)) -			{ -				return array(); -			} - -			$sql = 'SELECT * -				FROM ' . PROFILE_FIELDS_DATA_TABLE . ' -				WHERE ' . $db->sql_in_set('user_id', array_map('intval', $user_id)); -			$result = $db->sql_query($sql); - -			$field_data = array(); -			while ($row = $db->sql_fetchrow($result)) -			{ -				$field_data[$row['user_id']] = $row; -			} -			$db->sql_freeresult($result); - -			$user_fields = array(); - -			$user_ids = $user_id; - -			// Go through the fields in correct order -			foreach (array_keys($this->profile_cache) as $used_ident) -			{ -				foreach ($field_data as $user_id => $row) -				{ -					$user_fields[$user_id][$used_ident]['value'] = $row['pf_' . $used_ident]; -					$user_fields[$user_id][$used_ident]['data'] = $this->profile_cache[$used_ident]; -				} - -				foreach ($user_ids as $user_id) -				{ -					if (!isset($user_fields[$user_id][$used_ident]) && $this->profile_cache[$used_ident]['field_show_novalue']) -					{ -						$user_fields[$user_id][$used_ident]['value'] = ''; -						$user_fields[$user_id][$used_ident]['data'] = $this->profile_cache[$used_ident]; -					} -				} -			} - -			return $user_fields; -		} -		else if ($mode == 'show') -		{ -			// $profile_row == $user_fields[$row['user_id']]; -			$tpl_fields = array(); -			$tpl_fields['row'] = $tpl_fields['blockrow'] = array(); - -			foreach ($profile_row as $ident => $ident_ary) -			{ -				$value = $this->get_profile_value($ident_ary); - -				if ($value === NULL) -				{ -					continue; -				} - -				$tpl_fields['row'] += array( -					'PROFILE_' . strtoupper($ident) . '_VALUE'	=> $value, -					'PROFILE_' . strtoupper($ident) . '_TYPE'	=> $ident_ary['data']['field_type'], -					'PROFILE_' . strtoupper($ident) . '_NAME'	=> $ident_ary['data']['lang_name'], -					'PROFILE_' . strtoupper($ident) . '_EXPLAIN'=> $ident_ary['data']['lang_explain'], - -					'S_PROFILE_' . strtoupper($ident)			=> true -				); - -				$tpl_fields['blockrow'][] = array( -					'PROFILE_FIELD_VALUE'	=> $value, -					'PROFILE_FIELD_TYPE'	=> $ident_ary['data']['field_type'], -					'PROFILE_FIELD_NAME'	=> $ident_ary['data']['lang_name'], -					'PROFILE_FIELD_EXPLAIN'	=> $ident_ary['data']['lang_explain'], - -					'S_PROFILE_' . strtoupper($ident)		=> true -				); -			} - -			return $tpl_fields; -		} -		else -		{ -			trigger_error('Wrong mode for custom profile', E_USER_ERROR); -		} -	} - -	/** -	* Get Profile Value for display -	*/ -	function get_profile_value($ident_ary) -	{ -		$value = $ident_ary['value']; -		$field_type = $ident_ary['data']['field_type']; - -		switch ($this->profile_types[$field_type]) -		{ -			case 'int': -				if ($value === '' && !$ident_ary['data']['field_show_novalue']) -				{ -					return NULL; -				} -				return (int) $value; -			break; - -			case 'string': -			case 'text': -				if (!$value && !$ident_ary['data']['field_show_novalue']) -				{ -					return NULL; -				} - -				$value = make_clickable($value); -				$value = censor_text($value); -				$value = bbcode_nl2br($value); -				return $value; -			break; - -			// case 'datetime': -			case 'date': -				$date = explode('-', $value); -				$day = (isset($date[0])) ? (int) $date[0] : 0; -				$month = (isset($date[1])) ? (int) $date[1] : 0; -				$year = (isset($date[2])) ? (int) $date[2] : 0; - -				if (!$day && !$month && !$year && !$ident_ary['data']['field_show_novalue']) -				{ -					return NULL; -				} -				else if ($day && $month && $year) -				{ -					global $user; -					// Date should display as the same date for every user regardless of timezone - -					return $user->create_datetime() -						->setDate($year, $month, $day) -						->setTime(0, 0, 0) -						->format($user->lang['DATE_FORMAT'], true); -				} - -				return $value; -			break; - -			case 'dropdown': -				$field_id = $ident_ary['data']['field_id']; -				$lang_id = $ident_ary['data']['lang_id']; -				if (!isset($this->options_lang[$field_id][$lang_id])) -				{ -					$this->get_option_lang($field_id, $lang_id, FIELD_DROPDOWN, false); -				} - -				if ($value == $ident_ary['data']['field_novalue'] && !$ident_ary['data']['field_show_novalue']) -				{ -					return NULL; -				} - -				$value = (int) $value; - -				// User not having a value assigned -				if (!isset($this->options_lang[$field_id][$lang_id][$value])) -				{ -					if ($ident_ary['data']['field_show_novalue']) -					{ -						$value = $ident_ary['data']['field_novalue']; -					} -					else -					{ -						return NULL; -					} -				} - -				return $this->options_lang[$field_id][$lang_id][$value]; -			break; - -			case 'bool': -				$field_id = $ident_ary['data']['field_id']; -				$lang_id = $ident_ary['data']['lang_id']; -				if (!isset($this->options_lang[$field_id][$lang_id])) -				{ -					$this->get_option_lang($field_id, $lang_id, FIELD_BOOL, false); -				} - -				if (!$value && $ident_ary['data']['field_show_novalue']) -				{ -					$value = $ident_ary['data']['field_default_value']; -				} - -				if ($ident_ary['data']['field_length'] == 1) -				{ -					return (isset($this->options_lang[$field_id][$lang_id][(int) $value])) ? $this->options_lang[$field_id][$lang_id][(int) $value] : NULL; -				} -				else if (!$value) -				{ -					return NULL; -				} -				else -				{ -					return $this->options_lang[$field_id][$lang_id][(int) ($value) + 1]; -				} -			break; - -			default: -				trigger_error('Unknown profile type', E_USER_ERROR); -			break; -		} -	} - -	/** -	* Get field value for registration/profile -	* @access private -	*/ -	function get_var($field_validation, &$profile_row, $default_value, $preview) -	{ -		global $user; -		global $request; - -		$profile_row['field_ident'] = (isset($profile_row['var_name'])) ? $profile_row['var_name'] : 'pf_' . $profile_row['field_ident']; -		$user_ident = $profile_row['field_ident']; -		// checkbox - set the value to "true" if it has been set to 1 -		if ($profile_row['field_type'] == FIELD_BOOL && $profile_row['field_length'] == 2) -		{ -			$value = (isset($_REQUEST[$profile_row['field_ident']]) && request_var($profile_row['field_ident'], $default_value) == 1) ? true : ((!isset($user->profile_fields[$user_ident]) || $preview) ? $default_value : $user->profile_fields[$user_ident]); -		} -		else if ($profile_row['field_type'] == FIELD_INT) -		{ -			if (isset($_REQUEST[$profile_row['field_ident']])) -			{ -				$value = ($request->variable($profile_row['field_ident'], '') === '') ? NULL : $request->variable($profile_row['field_ident'], $default_value); -			} -			else -			{ -				if (!$preview && array_key_exists($user_ident, $user->profile_fields) && is_null($user->profile_fields[$user_ident])) -				{ -					$value = NULL; -				} -				else if (!isset($user->profile_fields[$user_ident]) || $preview) -				{ -					$value = $default_value; -				} -				else -				{ -					$value = $user->profile_fields[$user_ident]; -				} -			} - -			return (is_null($value) || $value === '') ? '' : (int) $value; -		} -		else -		{ -			$value = (isset($_REQUEST[$profile_row['field_ident']])) ? request_var($profile_row['field_ident'], $default_value, true) : ((!isset($user->profile_fields[$user_ident]) || $preview) ? $default_value : $user->profile_fields[$user_ident]); - -			if (gettype($value) == 'string') -			{ -				$value = utf8_normalize_nfc($value); -			} -		} - -		switch ($field_validation) -		{ -			case 'int': -				return (int) $value; -			break; -		} - -		return $value; -	} - -	/** -	* Process int-type -	* @access private -	*/ -	function generate_int($profile_row, $preview = false) -	{ -		global $template; - -		$profile_row['field_value'] = $this->get_var('int', $profile_row, $profile_row['field_default_value'], $preview); -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); -	} - -	/** -	* Process date-type -	* @access private -	*/ -	function generate_date($profile_row, $preview = false) -	{ -		global $user, $template; - -		$profile_row['field_ident'] = (isset($profile_row['var_name'])) ? $profile_row['var_name'] : 'pf_' . $profile_row['field_ident']; -		$user_ident = $profile_row['field_ident']; - -		$now = getdate(); - -		if (!isset($_REQUEST[$profile_row['field_ident'] . '_day'])) -		{ -			if ($profile_row['field_default_value'] == 'now') -			{ -				$profile_row['field_default_value'] = sprintf('%2d-%2d-%4d', $now['mday'], $now['mon'], $now['year']); -			} -			list($day, $month, $year) = explode('-', ((!isset($user->profile_fields[$user_ident]) || $preview) ? $profile_row['field_default_value'] : $user->profile_fields[$user_ident])); -		} -		else -		{ -			if ($preview && $profile_row['field_default_value'] == 'now') -			{ -				$profile_row['field_default_value'] = sprintf('%2d-%2d-%4d', $now['mday'], $now['mon'], $now['year']); -				list($day, $month, $year) = explode('-', ((!isset($user->profile_fields[$user_ident]) || $preview) ? $profile_row['field_default_value'] : $user->profile_fields[$user_ident])); -			} -			else -			{ -				$day = request_var($profile_row['field_ident'] . '_day', 0); -				$month = request_var($profile_row['field_ident'] . '_month', 0); -				$year = request_var($profile_row['field_ident'] . '_year', 0); -			} -		} - -		$profile_row['s_day_options'] = '<option value="0"' . ((!$day) ? ' selected="selected"' : '') . '>--</option>'; -		for ($i = 1; $i < 32; $i++) -		{ -			$profile_row['s_day_options'] .= '<option value="' . $i . '"' . (($i == $day) ? ' selected="selected"' : '') . ">$i</option>"; -		} - -		$profile_row['s_month_options'] = '<option value="0"' . ((!$month) ? ' selected="selected"' : '') . '>--</option>'; -		for ($i = 1; $i < 13; $i++) -		{ -			$profile_row['s_month_options'] .= '<option value="' . $i . '"' . (($i == $month) ? ' selected="selected"' : '') . ">$i</option>"; -		} - -		$profile_row['s_year_options'] = '<option value="0"' . ((!$year) ? ' selected="selected"' : '') . '>--</option>'; -		for ($i = $now['year'] - 100; $i <= $now['year'] + 100; $i++) -		{ -			$profile_row['s_year_options'] .= '<option value="' . $i . '"' . (($i == $year) ? ' selected="selected"' : '') . ">$i</option>"; -		} -		unset($now); - -		$profile_row['field_value'] = 0; -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); -	} - -	/** -	* Process bool-type -	* @access private -	*/ -	function generate_bool($profile_row, $preview = false) -	{ -		global $template; - -		$value = $this->get_var('int', $profile_row, $profile_row['field_default_value'], $preview); - -		$profile_row['field_value'] = $value; -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); - -		if ($profile_row['field_length'] == 1) -		{ -			if (!isset($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']]) || !sizeof($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']])) -			{ -				$this->get_option_lang($profile_row['field_id'], $profile_row['lang_id'], FIELD_BOOL, $preview); -			} - -			foreach ($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']] as $option_id => $option_value) -			{ -				$template->assign_block_vars('bool.options', array( -					'OPTION_ID'	=> $option_id, -					'CHECKED'	=> ($value == $option_id) ? ' checked="checked"' : '', -					'VALUE'		=> $option_value) -				); -			} -		} -	} - -	/** -	* Process string-type -	* @access private -	*/ -	function generate_string($profile_row, $preview = false) -	{ -		global $template; - -		$profile_row['field_value'] = $this->get_var('string', $profile_row, $profile_row['lang_default_value'], $preview); -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); -	} - -	/** -	* Process text-type -	* @access private -	*/ -	function generate_text($profile_row, $preview = false) -	{ -		global $template; -		global $user, $phpEx, $phpbb_root_path; - -		$field_length = explode('|', $profile_row['field_length']); -		$profile_row['field_rows'] = $field_length[0]; -		$profile_row['field_cols'] = $field_length[1]; - -		$profile_row['field_value'] = $this->get_var('string', $profile_row, $profile_row['lang_default_value'], $preview); -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); -	} - -	/** -	* Process dropdown-type -	* @access private -	*/ -	function generate_dropdown($profile_row, $preview = false) -	{ -		global $user, $template; - -		$value = $this->get_var('int', $profile_row, $profile_row['field_default_value'], $preview); - -		if (!isset($this->options_lang[$profile_row['field_id']]) || !isset($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']]) || !sizeof($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']])) -		{ -			$this->get_option_lang($profile_row['field_id'], $profile_row['lang_id'], FIELD_DROPDOWN, $preview); -		} - -		$profile_row['field_value'] = $value; -		$template->assign_block_vars($this->profile_types[$profile_row['field_type']], array_change_key_case($profile_row, CASE_UPPER)); - -		foreach ($this->options_lang[$profile_row['field_id']][$profile_row['lang_id']] as $option_id => $option_value) -		{ -			$template->assign_block_vars('dropdown.options', array( -				'OPTION_ID'	=> $option_id, -				'SELECTED'	=> ($value == $option_id) ? ' selected="selected"' : '', -				'VALUE'		=> $option_value) -			); -		} -	} - -	/** -	* Return Templated value/field. Possible values for $mode are: -	* change == user is able to set/enter profile values; preview == just show the value -	* @access private -	*/ -	function process_field_row($mode, $profile_row) -	{ -		global $template; - -		$preview = ($mode == 'preview') ? true : false; - -		// set template filename -		$template->set_filenames(array( -			'cp_body'		=> 'custom_profile_fields.html') -		); - -		// empty previously filled blockvars -		foreach ($this->profile_types as $field_case => $field_type) -		{ -			$template->destroy_block_vars($field_type); -		} - -		// Assign template variables -		$type_func = 'generate_' . $this->profile_types[$profile_row['field_type']]; -		$this->$type_func($profile_row, $preview); - -		// Return templated data -		return $template->assign_display('cp_body'); -	} - -	/** -	* Build Array for user insertion into custom profile fields table -	*/ -	function build_insert_sql_array($cp_data) -	{ -		global $db, $user, $auth; - -		$sql_not_in = array(); -		foreach ($cp_data as $key => $null) -		{ -			$sql_not_in[] = (strncmp($key, 'pf_', 3) === 0) ? substr($key, 3) : $key; -		} - -		$sql = 'SELECT f.field_type, f.field_ident, f.field_default_value, l.lang_default_value -			FROM ' . PROFILE_LANG_TABLE . ' l, ' . PROFILE_FIELDS_TABLE . ' f -			WHERE l.lang_id = ' . $user->get_iso_lang_id() . ' -				' . ((sizeof($sql_not_in)) ? ' AND ' . $db->sql_in_set('f.field_ident', $sql_not_in, true) : '') . ' -				AND l.field_id = f.field_id'; -		$result = $db->sql_query($sql); - -		while ($row = $db->sql_fetchrow($result)) -		{ -			if ($row['field_default_value'] == 'now' && $row['field_type'] == FIELD_DATE) -			{ -				$now = getdate(); -				$row['field_default_value'] = sprintf('%2d-%2d-%4d', $now['mday'], $now['mon'], $now['year']); -			} -			else if ($row['field_default_value'] === '' && $row['field_type'] == FIELD_INT) -			{ -				// We cannot insert an empty string into an integer column. -				$row['field_default_value'] = NULL; -			} - -			$cp_data['pf_' . $row['field_ident']] = (in_array($row['field_type'], array(FIELD_TEXT, FIELD_STRING))) ? $row['lang_default_value'] : $row['field_default_value']; -		} -		$db->sql_freeresult($result); - -		return $cp_data; -	} - -	/** -	* Get profile field value on submit -	* @access private -	*/ -	function get_profile_field($profile_row) -	{ -		global $phpbb_root_path, $phpEx; -		global $config; -		global $request; - -		$var_name = 'pf_' . $profile_row['field_ident']; - -		switch ($profile_row['field_type']) -		{ -			case FIELD_DATE: - -				if (!isset($_REQUEST[$var_name . '_day'])) -				{ -					if ($profile_row['field_default_value'] == 'now') -					{ -						$now = getdate(); -						$profile_row['field_default_value'] = sprintf('%2d-%2d-%4d', $now['mday'], $now['mon'], $now['year']); -					} -					list($day, $month, $year) = explode('-', $profile_row['field_default_value']); -				} -				else -				{ -					$day = request_var($var_name . '_day', 0); -					$month = request_var($var_name . '_month', 0); -					$year = request_var($var_name . '_year', 0); -				} - -				$var = sprintf('%2d-%2d-%4d', $day, $month, $year); -			break; - -			case FIELD_BOOL: -				// Checkbox -				if ($profile_row['field_length'] == 2) -				{ -					$var = (isset($_REQUEST[$var_name])) ? 1 : 0; -				} -				else -				{ -					$var = request_var($var_name, (int) $profile_row['field_default_value']); -				} -			break; - -			case FIELD_STRING: -			case FIELD_TEXT: -				$var = utf8_normalize_nfc(request_var($var_name, (string) $profile_row['field_default_value'], true)); -			break; - -			case FIELD_INT: -				if (isset($_REQUEST[$var_name]) && $request->variable($var_name, '') === '') -				{ -					$var = NULL; -				} -				else -				{ -					$var = request_var($var_name, (int) $profile_row['field_default_value']); -				} -			break; - -			case FIELD_DROPDOWN: -				$var = request_var($var_name, (int) $profile_row['field_default_value']); -			break; - -			default: -				$var = request_var($var_name, $profile_row['field_default_value']); -			break; -		} - -		return $var; -	} -} - -/** -* Custom Profile Fields ACP -* @package phpBB3 -*/ -class custom_profile_admin extends custom_profile -{ -	var $vars = array(); - -	/** -	* Return possible validation options -	*/ -	function validate_options() -	{ -		global $user; - -		$validate_ary = array('CHARS_ANY' => '.*', 'NUMBERS_ONLY' => '[0-9]+', 'ALPHA_ONLY' => '[\w]+', 'ALPHA_SPACERS' => '[\w_\+\. \-\[\]]+'); - -		$validate_options = ''; -		foreach ($validate_ary as $lang => $value) -		{ -			$selected = ($this->vars['field_validation'] == $value) ? ' selected="selected"' : ''; -			$validate_options .= '<option value="' . $value . '"' . $selected . '>' . $user->lang[$lang] . '</option>'; -		} - -		return $validate_options; -	} - -	/** -	* Get string options for second step in ACP -	*/ -	function get_string_options() -	{ -		global $user; - -		$options = array( -			0 => array('TITLE' => $user->lang['FIELD_LENGTH'],		'FIELD' => '<input type="number" min="0" name="field_length" size="5" value="' . $this->vars['field_length'] . '" />'), -			1 => array('TITLE' => $user->lang['MIN_FIELD_CHARS'],	'FIELD' => '<input type="number" min="0" name="field_minlen" size="5" value="' . $this->vars['field_minlen'] . '" />'), -			2 => array('TITLE' => $user->lang['MAX_FIELD_CHARS'],	'FIELD' => '<input type="number" min="0" size="5" value="' . $this->vars['field_maxlen'] . '" />'), -			3 => array('TITLE' => $user->lang['FIELD_VALIDATION'],	'FIELD' => '<select name="field_validation">' . $this->validate_options() . '</select>') -		); - -		return $options; -	} - -	/** -	* Get text options for second step in ACP -	*/ -	function get_text_options() -	{ -		global $user; - -		$options = array( -			0 => array('TITLE' => $user->lang['FIELD_LENGTH'],		'FIELD' => '<input type="number" min="0" max="99999" name="rows" size="5" value="' . $this->vars['rows'] . '" /> ' . $user->lang['ROWS'] . '</dd><dd><input type="number" min="0" max="99999" name="columns" size="5" value="' . $this->vars['columns'] . '" /> ' . $user->lang['COLUMNS'] . ' <input type="hidden" name="field_length" value="' . $this->vars['field_length'] . '" />'), -			1 => array('TITLE' => $user->lang['MIN_FIELD_CHARS'],	'FIELD' => '<input type="number" min="0" max="9999999999" name="field_minlen" size="10" value="' . $this->vars['field_minlen'] . '" />'), -			2 => array('TITLE' => $user->lang['MAX_FIELD_CHARS'],	'FIELD' => '<input type="number" min="0" max="9999999999" name="field_maxlen" size="10" value="' . $this->vars['field_maxlen'] . '" />'), -			3 => array('TITLE' => $user->lang['FIELD_VALIDATION'],	'FIELD' => '<select name="field_validation">' . $this->validate_options() . '</select>') -		); - -		return $options; -	} - -	/** -	* Get int options for second step in ACP -	*/ -	function get_int_options() -	{ -		global $user; - -		$options = array( -			0 => array('TITLE' => $user->lang['FIELD_LENGTH'],		'FIELD' => '<input type="number" min="0" max="99999" name="field_length" size="5" value="' . $this->vars['field_length'] . '" />'), -			1 => array('TITLE' => $user->lang['MIN_FIELD_NUMBER'],	'FIELD' => '<input type="number" min="0" max="99999" name="field_minlen" size="5" value="' . $this->vars['field_minlen'] . '" />'), -			2 => array('TITLE' => $user->lang['MAX_FIELD_NUMBER'],	'FIELD' => '<input type="number" min="0" max="99999" name="field_maxlen" size="5" value="' . $this->vars['field_maxlen'] . '" />'), -			3 => array('TITLE' => $user->lang['DEFAULT_VALUE'],		'FIELD' => '<input type="post" name="field_default_value" value="' . $this->vars['field_default_value'] . '" />') -		); - -		return $options; -	} - -	/** -	* Get bool options for second step in ACP -	*/ -	function get_bool_options() -	{ -		global $user, $config, $lang_defs; - -		$default_lang_id = $lang_defs['iso'][$config['default_lang']]; - -		$profile_row = array( -			'var_name'				=> 'field_default_value', -			'field_id'				=> 1, -			'lang_name'				=> $this->vars['lang_name'], -			'lang_explain'			=> $this->vars['lang_explain'], -			'lang_id'				=> $default_lang_id, -			'field_default_value'	=> $this->vars['field_default_value'], -			'field_ident'			=> 'field_default_value', -			'field_type'			=> FIELD_BOOL, -			'field_length'			=> $this->vars['field_length'], -			'lang_options'			=> $this->vars['lang_options'] -		); - -		$options = array( -			0 => array('TITLE' => $user->lang['FIELD_TYPE'], 'EXPLAIN' => $user->lang['BOOL_TYPE_EXPLAIN'], 'FIELD' => '<label><input type="radio" class="radio" name="field_length" value="1"' . (($this->vars['field_length'] == 1) ? ' checked="checked"' : '') . ' onchange="document.getElementById(\'add_profile_field\').submit();" /> ' . $user->lang['RADIO_BUTTONS'] . '</label><label><input type="radio" class="radio" name="field_length" value="2"' . (($this->vars['field_length'] == 2) ? ' checked="checked"' : '') . ' onchange="document.getElementById(\'add_profile_field\').submit();" /> ' . $user->lang['CHECKBOX'] . '</label>'), -			1 => array('TITLE' => $user->lang['DEFAULT_VALUE'], 'FIELD' => $this->process_field_row('preview', $profile_row)) -		); - -		return $options; -	} - -	/** -	* Get dropdown options for second step in ACP -	*/ -	function get_dropdown_options() -	{ -		global $user, $config, $lang_defs; - -		$default_lang_id = $lang_defs['iso'][$config['default_lang']]; - -		$profile_row[0] = array( -			'var_name'				=> 'field_default_value', -			'field_id'				=> 1, -			'lang_name'				=> $this->vars['lang_name'], -			'lang_explain'			=> $this->vars['lang_explain'], -			'lang_id'				=> $default_lang_id, -			'field_default_value'	=> $this->vars['field_default_value'], -			'field_ident'			=> 'field_default_value', -			'field_type'			=> FIELD_DROPDOWN, -			'lang_options'			=> $this->vars['lang_options'] -		); - -		$profile_row[1] = $profile_row[0]; -		$profile_row[1]['var_name'] = 'field_novalue'; -		$profile_row[1]['field_ident'] = 'field_novalue'; -		$profile_row[1]['field_default_value']	= $this->vars['field_novalue']; - -		$options = array( -			0 => array('TITLE' => $user->lang['DEFAULT_VALUE'], 'FIELD' => $this->process_field_row('preview', $profile_row[0])), -			1 => array('TITLE' => $user->lang['NO_VALUE_OPTION'], 'EXPLAIN' => $user->lang['NO_VALUE_OPTION_EXPLAIN'], 'FIELD' => $this->process_field_row('preview', $profile_row[1])) -		); - -		return $options; -	} - -	/** -	* Get date options for second step in ACP -	*/ -	function get_date_options() -	{ -		global $user, $config, $lang_defs; - -		$default_lang_id = $lang_defs['iso'][$config['default_lang']]; - -		$profile_row = array( -			'var_name'				=> 'field_default_value', -			'lang_name'				=> $this->vars['lang_name'], -			'lang_explain'			=> $this->vars['lang_explain'], -			'lang_id'				=> $default_lang_id, -			'field_default_value'	=> $this->vars['field_default_value'], -			'field_ident'			=> 'field_default_value', -			'field_type'			=> FIELD_DATE, -			'field_length'			=> $this->vars['field_length'] -		); - -		$always_now = request_var('always_now', -1); -		if ($always_now == -1) -		{ -			$s_checked = ($this->vars['field_default_value'] == 'now') ? true : false; -		} -		else -		{ -			$s_checked = ($always_now) ? true : false; -		} - -		$options = array( -			0 => array('TITLE' => $user->lang['DEFAULT_VALUE'],	'FIELD' => $this->process_field_row('preview', $profile_row)), -			1 => array('TITLE' => $user->lang['ALWAYS_TODAY'],	'FIELD' => '<label><input type="radio" class="radio" name="always_now" value="1"' . (($s_checked) ? ' checked="checked"' : '') . ' onchange="document.getElementById(\'add_profile_field\').submit();" /> ' . $user->lang['YES'] . '</label><label><input type="radio" class="radio" name="always_now" value="0"' . ((!$s_checked) ? ' checked="checked"' : '') . ' onchange="document.getElementById(\'add_profile_field\').submit();" /> ' . $user->lang['NO'] . '</label>'), -		); - -		return $options; -	} -} diff --git a/phpBB/includes/functions_transfer.php b/phpBB/includes/functions_transfer.php index 07c9171c60..17b458d2cb 100644 --- a/phpBB/includes/functions_transfer.php +++ b/phpBB/includes/functions_transfer.php @@ -234,7 +234,7 @@ class transfer  	/**  	* Determine methods able to be used  	*/ -	function methods() +	static public function methods()  	{  		$methods = array();  		$disabled_functions = explode(',', @ini_get('disable_functions')); @@ -279,7 +279,7 @@ class ftp extends transfer  		}  		// Init some needed values -		transfer::transfer(); +		$this->transfer();  		return;  	} @@ -287,7 +287,7 @@ class ftp extends transfer  	/**  	* Requests data  	*/ -	function data() +	static public function data()  	{  		global $user; @@ -533,7 +533,7 @@ class ftp_fsock extends transfer  		}  		// Init some needed values -		transfer::transfer(); +		$this->transfer();  		return;  	} @@ -541,7 +541,7 @@ class ftp_fsock extends transfer  	/**  	* Requests data  	*/ -	function data() +	static public function data()  	{  		global $user; diff --git a/phpBB/includes/functions_upload.php b/phpBB/includes/functions_upload.php index 04d483e14c..b4e165502b 100644 --- a/phpBB/includes/functions_upload.php +++ b/phpBB/includes/functions_upload.php @@ -64,7 +64,7 @@ class filespec  		$this->filename = $upload_ary['tmp_name'];  		$this->filesize = $upload_ary['size'];  		$name = (STRIP) ? stripslashes($upload_ary['name']) : $upload_ary['name']; -		$name = trim(utf8_htmlspecialchars(utf8_basename($name))); +		$name = trim(utf8_basename($name));  		$this->realname = $this->uploadname = $name;  		$this->mimetype = $upload_ary['type']; @@ -475,7 +475,7 @@ class fileerror extends filespec  class fileupload  {  	var $allowed_extensions = array(); -	var $disallowed_content = array('body', 'head', 'html', 'img', 'plaintext', 'a href', 'pre', 'script', 'table', 'title');  +	var $disallowed_content = array('body', 'head', 'html', 'img', 'plaintext', 'a href', 'pre', 'script', 'table', 'title');  	var $max_filesize = 0;  	var $min_width = 0;  	var $min_height = 0; diff --git a/phpBB/includes/functions_url_matcher.php b/phpBB/includes/functions_url_matcher.php index c5d6815119..8e5ae20f93 100644 --- a/phpBB/includes/functions_url_matcher.php +++ b/phpBB/includes/functions_url_matcher.php @@ -53,8 +53,8 @@ function phpbb_get_url_matcher(\phpbb\extension\finder $finder, RequestContext $  */  function phpbb_create_dumped_url_matcher(\phpbb\extension\finder $finder, $root_path, $php_ext)  { -	$provider = new \phpbb\controller\provider(); -	$routes = $provider->import_paths_from_finder($finder)->find($root_path); +	$provider = new \phpbb\controller\provider($finder); +	$routes = $provider->find($root_path)->get_routes();  	$dumper = new PhpMatcherDumper($routes);  	$cached_url_matcher_dump = $dumper->dump(array(  		'class'			=> 'phpbb_url_matcher', @@ -72,8 +72,8 @@ function phpbb_create_dumped_url_matcher(\phpbb\extension\finder $finder, $root_  */  function phpbb_create_url_matcher(\phpbb\extension\finder $finder, RequestContext $context, $root_path)  { -	$provider = new \phpbb\controller\provider(); -	$routes = $provider->import_paths_from_finder($finder)->find($root_path); +	$provider = new \phpbb\controller\provider($finder); +	$routes = $provider->find($root_path)->get_routes();  	return new UrlMatcher($routes, $context);  } diff --git a/phpBB/includes/functions_user.php b/phpBB/includes/functions_user.php index dba6d3d6c2..0dd1708c55 100644 --- a/phpBB/includes/functions_user.php +++ b/phpBB/includes/functions_user.php @@ -143,7 +143,7 @@ function user_update_name($old_name, $new_name)  	* @event core.update_username  	* @var	string	old_name	The old username that is replaced  	* @var	string	new_name	The new username -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('old_name', 'new_name');  	extract($phpbb_dispatcher->trigger_event('core.update_username', compact($vars))); @@ -162,7 +162,7 @@ function user_update_name($old_name, $new_name)  function user_add($user_row, $cp_data = false)  {  	global $db, $user, $auth, $config, $phpbb_root_path, $phpEx; -	global $phpbb_dispatcher; +	global $phpbb_dispatcher, $phpbb_container;  	if (empty($user_row['username']) || !isset($user_row['group_id']) || !isset($user_row['user_email']) || !isset($user_row['user_type']))  	{ @@ -210,8 +210,6 @@ function user_add($user_row, $cp_data = false)  		'user_lastpage'			=> '',  		'user_posts'			=> 0,  		'user_colour'			=> '', -		'user_occ'				=> '', -		'user_interests'		=> '',  		'user_avatar'			=> '',  		'user_avatar_type'		=> '',  		'user_avatar_width'		=> 0, @@ -261,7 +259,7 @@ function user_add($user_row, $cp_data = false)  	*  	* @event core.user_add_modify_data  	* @var array	sql_ary		Array of data to be inserted when a user is added -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('sql_ary');  	extract($phpbb_dispatcher->trigger_event('core.user_add_modify_data', compact($vars))); @@ -276,12 +274,7 @@ function user_add($user_row, $cp_data = false)  	{  		$cp_data['user_id'] = (int) $user_id; -		if (!class_exists('custom_profile')) -		{ -			include_once($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx); -		} - -		$cp = new custom_profile(); +		$cp = $phpbb_container->get('profilefields.manager');  		$sql = 'INSERT INTO ' . PROFILE_FIELDS_DATA_TABLE . ' ' .  			$db->sql_build_array('INSERT', $cp->build_insert_sql_array($cp_data));  		$db->sql_query($sql); @@ -393,7 +386,7 @@ function user_delete($mode, $user_ids, $retain_username = true)  	* @var	array	user_ids	IDs of the deleted user  	* @var	mixed	retain_username	True if username should be retained  	*				or false if not -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('mode', 'user_ids', 'retain_username');  	extract($phpbb_dispatcher->trigger_event('core.delete_user_before', compact($vars))); @@ -622,7 +615,7 @@ function user_delete($mode, $user_ids, $retain_username = true)  	* @var	array	user_ids	IDs of the deleted user  	* @var	mixed	retain_username	True if username should be retained  	*				or false if not -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('mode', 'user_ids', 'retain_username');  	extract($phpbb_dispatcher->trigger_event('core.delete_user_after', compact($vars))); @@ -1333,9 +1326,18 @@ function validate_data($data, $val_ary)  		{  			$function = array_shift($validate);  			array_unshift($validate, $data[$var]); -			$function_prefix = (function_exists('phpbb_validate_' . $function)) ? 'phpbb_validate_' : 'validate_'; -			if ($result = call_user_func_array($function_prefix . $function, $validate)) +			if (is_array($function)) +			{ +				$result = call_user_func_array(array($function[0], 'validate_' . $function[1]), $validate); +			} +			else +			{ +				$function_prefix = (function_exists('phpbb_validate_' . $function)) ? 'phpbb_validate_' : 'validate_'; +				$result = call_user_func_array($function_prefix . $function, $validate); +			} + +			if ($result)  			{  				// Since errors are checked later for their language file existence, we need to make sure custom errors are not adjusted.  				$error[] = (empty($user->lang[$result . '_' . strtoupper($var)])) ? $result : $result . '_' . strtoupper($var); @@ -2084,7 +2086,6 @@ function get_avatar_filename($avatar_entry)  {  	global $config; -  	if ($avatar_entry[0] === 'g')  	{  		$avatar_group = true; @@ -2511,7 +2512,7 @@ function group_delete($group_id, $group_name = false)  	* @event core.delete_group_after  	* @var	int		group_id	ID of the deleted group  	* @var	string	group_name	Name of the deleted group -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('group_id', 'group_name');  	extract($phpbb_dispatcher->trigger_event('core.delete_group_after', compact($vars))); @@ -2759,7 +2760,7 @@ function group_user_del($group_id, $user_id_ary = false, $username_ary = false,  	* @var	string	group_name		Name of the group  	* @var	array	user_id_ary		IDs of the users which are removed  	* @var	array	username_ary	names of the users which are removed -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('group_id', 'group_name', 'user_id_ary', 'username_ary');  	extract($phpbb_dispatcher->trigger_event('core.group_delete_user_before', compact($vars))); @@ -3205,7 +3206,7 @@ function group_set_user_default($group_id, $user_id_ary, $group_attributes = fal  	* @var	array	group_attributes	Group attributes which were changed  	* @var	array	update_listing		Update the list of moderators and foes  	* @var	array	sql_ary				User attributes which were changed -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/  	$vars = array('group_id', 'user_id_ary', 'group_attributes', 'update_listing', 'sql_ary');  	extract($phpbb_dispatcher->trigger_event('core.user_set_default_group', compact($vars))); @@ -3454,9 +3455,12 @@ function remove_newly_registered($user_id, $user_data = false)  *  * @param array $user_ids Array of users' ids to check for banning,  *						leave empty to get complete list of banned ids +* @param bool|int $ban_end Bool True to get users currently banned +* 						Bool False to only get permanently banned users +* 						Int Unix timestamp to get users banned until that time  * @return array	Array of banned users' ids if any, empty array otherwise  */ -function phpbb_get_banned_user_ids($user_ids = array()) +function phpbb_get_banned_user_ids($user_ids = array(), $ban_end = true)  {  	global $db; @@ -3468,9 +3472,26 @@ function phpbb_get_banned_user_ids($user_ids = array())  	$sql = 'SELECT ban_userid  		FROM ' . BANLIST_TABLE . "  		WHERE $sql_user_ids -			AND ban_exclude <> 1 -			AND (ban_end > " . time() . ' +			AND ban_exclude <> 1"; + +	if ($ban_end === true) +	{ +		// Banned currently +		$sql .= " AND (ban_end > " . time() . ' +				OR ban_end = 0)'; +	} +	else if ($ban_end === false) +	{ +		// Permanently banned +		$sql .= " AND ban_end = 0"; +	} +	else +	{ +		// Banned until a specified time +		$sql .= " AND (ban_end > " . (int) $ban_end . '  				OR ban_end = 0)'; +	} +  	$result = $db->sql_query($sql);  	while ($row = $db->sql_fetchrow($result))  	{ diff --git a/phpBB/includes/mcp/info/mcp_pm_reports.php b/phpBB/includes/mcp/info/mcp_pm_reports.php index 07dc564b19..d530a917cb 100644 --- a/phpBB/includes/mcp/info/mcp_pm_reports.php +++ b/phpBB/includes/mcp/info/mcp_pm_reports.php @@ -19,7 +19,7 @@ class mcp_pm_reports_info  			'title'		=> 'MCP_PM_REPORTS',  			'version'	=> '1.0.0',  			'modes'		=> array( -				'pm_reports'			=> array('title' => 'MCP_PM_REPORTS_OPEN', 'auth' => 'aclf_m_report', 'cat' => array('MCP_REPORTS')), +				'pm_reports'		=> array('title' => 'MCP_PM_REPORTS_OPEN', 'auth' => 'aclf_m_report', 'cat' => array('MCP_REPORTS')),  				'pm_reports_closed'	=> array('title' => 'MCP_PM_REPORTS_CLOSED', 'auth' => 'aclf_m_report', 'cat' => array('MCP_REPORTS')),  				'pm_report_details'	=> array('title' => 'MCP_PM_REPORT_DETAILS', 'auth' => 'aclf_m_report', 'cat' => array('MCP_REPORTS')),  			), diff --git a/phpBB/includes/mcp/mcp_ban.php b/phpBB/includes/mcp/mcp_ban.php index d3bc336293..925d0878fc 100644 --- a/phpBB/includes/mcp/mcp_ban.php +++ b/phpBB/includes/mcp/mcp_ban.php @@ -171,7 +171,7 @@ class mcp_ban  				case 'user':  					$pre_fill = (string) $db->sql_fetchfield('username');  				break; -				 +  				case 'ip':  					$pre_fill = (string) $db->sql_fetchfield('user_ip');  				break; diff --git a/phpBB/includes/mcp/mcp_forum.php b/phpBB/includes/mcp/mcp_forum.php index a3b2184d48..b4f7f4d70a 100644 --- a/phpBB/includes/mcp/mcp_forum.php +++ b/phpBB/includes/mcp/mcp_forum.php @@ -135,7 +135,6 @@ function mcp_forum_view($id, $mode, $action, $forum_info)  		'S_MCP_ACTION'			=> $url . "&i=$id&forum_action=$action&mode=$mode&start=$start" . (($merge_select) ? $selected_ids : ''), -		'PAGE_NUMBER'			=> $pagination->on_page($base_url, $forum_topics, $topics_per_page, $start),  		'TOTAL_TOPICS'			=> $user->lang('VIEW_FORUM_TOPICS', (int) $forum_topics),  	)); @@ -225,7 +224,7 @@ function mcp_forum_view($id, $mode, $action, $forum_info)  		$topic_title = censor_text($row['topic_title']); -		$topic_unapproved = ($row['topic_visibility'] == ITEM_UNAPPROVED  && $auth->acl_get('m_approve', $row['forum_id'])) ? true : false; +		$topic_unapproved = (($row['topic_visibility'] == ITEM_UNAPPROVED || $row['topic_visibility'] == ITEM_REAPPROVE)  && $auth->acl_get('m_approve', $row['forum_id'])) ? true : false;  		$posts_unapproved = ($row['topic_visibility'] == ITEM_APPROVED && $row['topic_posts_unapproved'] && $auth->acl_get('m_approve', $row['forum_id'])) ? true : false;  		$topic_deleted = $row['topic_visibility'] == ITEM_DELETED;  		$u_mcp_queue = ($topic_unapproved || $posts_unapproved) ? $url . '&i=queue&mode=' . (($topic_unapproved) ? 'approve_details' : 'unapproved_posts') . '&t=' . $row['topic_id'] : ''; @@ -303,7 +302,7 @@ function mcp_forum_view($id, $mode, $action, $forum_info)  		* @event core.mcp_view_forum_modify_topicrow  		* @var	array	row			Array with topic data  		* @var	array	topic_row	Template array with topic data -		* @since 3.1-A1 +		* @since 3.1.0-a1  		*/  		$vars = array('row', 'topic_row');  		extract($phpbb_dispatcher->trigger_event('core.mcp_view_forum_modify_topicrow', compact($vars))); diff --git a/phpBB/includes/mcp/mcp_front.php b/phpBB/includes/mcp/mcp_front.php index 44cab5d910..aee43c471d 100644 --- a/phpBB/includes/mcp/mcp_front.php +++ b/phpBB/includes/mcp/mcp_front.php @@ -39,7 +39,7 @@ function mcp_front_view($id, $mode, $action)  			$sql = 'SELECT COUNT(post_id) AS total  				FROM ' . POSTS_TABLE . '  				WHERE ' . $db->sql_in_set('forum_id', $forum_list) . ' -					AND post_visibility = ' . ITEM_UNAPPROVED; +					AND ' . $db->sql_in_set('post_visibility', array(ITEM_UNAPPROVED, ITEM_REAPPROVE));  			$result = $db->sql_query($sql);  			$total = (int) $db->sql_fetchfield('total');  			$db->sql_freeresult($result); @@ -60,7 +60,7 @@ function mcp_front_view($id, $mode, $action)  				$sql = 'SELECT post_id  					FROM ' . POSTS_TABLE . '  					WHERE ' . $db->sql_in_set('forum_id', $forum_list) . ' -						AND post_visibility = ' . ITEM_UNAPPROVED . ' +						AND ' . $db->sql_in_set('post_visibility', array(ITEM_UNAPPROVED, ITEM_REAPPROVE)) . '  					ORDER BY post_time DESC';  				$result = $db->sql_query_limit($sql, 5); diff --git a/phpBB/includes/mcp/mcp_logs.php b/phpBB/includes/mcp/mcp_logs.php index ac7896606a..7bcb0fc477 100644 --- a/phpBB/includes/mcp/mcp_logs.php +++ b/phpBB/includes/mcp/mcp_logs.php @@ -177,7 +177,6 @@ class mcp_logs  		$pagination->generate_template_pagination($base_url, 'pagination', 'start', $log_count, $config['topics_per_page'], $start);  		$template->assign_vars(array( -			'PAGE_NUMBER'		=> $pagination->on_page($base_url, $log_count, $config['topics_per_page'], $start),  			'TOTAL'				=> $user->lang('TOTAL_LOGS', (int) $log_count),  			'L_TITLE'			=> $user->lang['MCP_LOGS'], diff --git a/phpBB/includes/mcp/mcp_main.php b/phpBB/includes/mcp/mcp_main.php index d9197da07e..6b2e9266b3 100644 --- a/phpBB/includes/mcp/mcp_main.php +++ b/phpBB/includes/mcp/mcp_main.php @@ -34,6 +34,7 @@ class mcp_main  	{  		global $auth, $db, $user, $template, $action;  		global $config, $phpbb_root_path, $phpEx, $request; +		global $phpbb_dispatcher;  		$quickmod = ($mode == 'quickmod') ? true : false; @@ -151,6 +152,16 @@ class mcp_main  				mcp_restore_topic($topic_ids);  			break; + +			default: +				/** +				* This event allows you to handle custom quickmod options +				* +				* @event core.modify_quickmod_actions +				* @since 3.1.0-a4 +				*/ +				$phpbb_dispatcher->dispatch('core.modify_quickmod_actions'); +			break;  		}  		switch ($mode) @@ -404,9 +415,8 @@ function change_topic_type($action, $topic_ids)  */  function mcp_move_topic($topic_ids)  { -	global $auth, $user, $db, $template; +	global $auth, $user, $db, $template, $phpbb_log, $request;  	global $phpEx, $phpbb_root_path; -	global $request;  	// Here we limit the operation to one forum only  	$forum_id = check_ids($topic_ids, TOPICS_TABLE, 'topic_id', array('m_move'), true); @@ -483,7 +493,7 @@ function mcp_move_topic($topic_ids)  			{  				$topics_moved++;  			} -			elseif ($topic_info['topic_visibility'] == ITEM_UNAPPROVED) +			elseif ($topic_info['topic_visibility'] == ITEM_UNAPPROVED || $topic_info['topic_visibility'] == ITEM_REAPPROVE)  			{  				$topics_moved_unapproved++;  			} @@ -514,9 +524,19 @@ function mcp_move_topic($topic_ids)  		$forum_ids = array($to_forum_id);  		foreach ($topic_data as $topic_id => $row)  		{ -			// Get the list of forums to resync, add a log entry +			// Get the list of forums to resync  			$forum_ids[] = $row['forum_id']; -			add_log('mod', $to_forum_id, $topic_id, 'LOG_MOVE', $row['forum_name'], $forum_data['forum_name']); + +			// We add the $to_forum_id twice, because 'forum_id' is updated +			// when the topic is moved again later. +			$phpbb_log->add('mod', $user->data['user_id'], $user->ip, 'LOG_MOVE', false, array( +				'forum_id'		=> (int) $to_forum_id, +				'topic_id'		=> (int) $topic_id, +				$row['forum_name'], +				$forum_data['forum_name'], +				(int) $row['forum_id'], +				(int) $forum_data['forum_id'], +			));  			// Leave a redirection if required and only if the topic is visible to users  			if ($leave_shadow && $row['topic_visibility'] == ITEM_APPROVED && $row['topic_type'] != POST_GLOBAL) @@ -1210,6 +1230,7 @@ function mcp_fork_topic($topic_ids)  					$total_topics++;  				break;  				case ITEM_UNAPPROVED: +				case ITEM_REAPPROVE:  					$total_topics_unapproved++;  				break;  				case ITEM_DELETED: @@ -1296,6 +1317,7 @@ function mcp_fork_topic($topic_ids)  						$total_posts++;  					break;  					case ITEM_UNAPPROVED: +					case ITEM_REAPPROVE:  						$total_posts_unapproved++;  					break;  					case ITEM_DELETED: diff --git a/phpBB/includes/mcp/mcp_notes.php b/phpBB/includes/mcp/mcp_notes.php index 055ca0e882..be8e09b0c3 100644 --- a/phpBB/includes/mcp/mcp_notes.php +++ b/phpBB/includes/mcp/mcp_notes.php @@ -174,10 +174,6 @@ class mcp_notes  		}  		// Generate the appropriate user information for the user we are looking at -		if (!function_exists('phpbb_get_user_avatar')) -		{ -			include($phpbb_root_path . 'includes/functions_display.' . $phpEx); -		}  		$rank_title = $rank_img = '';  		$avatar_img = phpbb_get_user_avatar($userrow); @@ -229,7 +225,6 @@ class mcp_notes  			'L_TITLE'			=> $user->lang['MCP_NOTES_USER'], -			'PAGE_NUMBER'		=> $pagination->on_page($base_url, $log_count, $config['topics_per_page'], $start),  			'TOTAL_REPORTS'		=> $user->lang('LIST_REPORTS', (int) $log_count),  			'RANK_TITLE'		=> $rank_title, diff --git a/phpBB/includes/mcp/mcp_pm_reports.php b/phpBB/includes/mcp/mcp_pm_reports.php index d0801a2b47..b0a06dd6ce 100644 --- a/phpBB/includes/mcp/mcp_pm_reports.php +++ b/phpBB/includes/mcp/mcp_pm_reports.php @@ -170,7 +170,7 @@ class mcp_pm_reports  					'U_MCP_USER_NOTES'			=> append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=notes&mode=user_notes&u=' . $pm_info['author_id']),  					'U_MCP_WARN_REPORTER'		=> ($auth->acl_get('m_warn')) ? append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=warn&mode=warn_user&u=' . $report['user_id']) : '',  					'U_MCP_WARN_USER'			=> ($auth->acl_get('m_warn')) ? append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=warn&mode=warn_user&u=' . $pm_info['author_id']) : '', -					 +  					'EDIT_IMG'				=> $user->img('icon_post_edit', $user->lang['EDIT_POST']),  					'MINI_POST_IMG'			=> $user->img('icon_post_target', 'POST'), @@ -304,12 +304,11 @@ class mcp_pm_reports  				$template->assign_vars(array(  					'L_EXPLAIN'				=> ($mode == 'pm_reports') ? $user->lang['MCP_PM_REPORTS_OPEN_EXPLAIN'] : $user->lang['MCP_PM_REPORTS_CLOSED_EXPLAIN'],  					'L_TITLE'				=> ($mode == 'pm_reports') ? $user->lang['MCP_PM_REPORTS_OPEN'] : $user->lang['MCP_PM_REPORTS_CLOSED'], -					 +  					'S_PM'					=> true,  					'S_MCP_ACTION'			=> $this->u_action,  					'S_CLOSED'				=> ($mode == 'pm_reports_closed') ? true : false, -					'PAGE_NUMBER'			=> $pagination->on_page($base_url, $total, $config['topics_per_page'], $start),  					'TOTAL'					=> $total,  					'TOTAL_REPORTS'			=> $user->lang('LIST_REPORTS', (int) $total),  					) diff --git a/phpBB/includes/mcp/mcp_post.php b/phpBB/includes/mcp/mcp_post.php index 06f27655ae..5925575577 100644 --- a/phpBB/includes/mcp/mcp_post.php +++ b/phpBB/includes/mcp/mcp_post.php @@ -203,7 +203,7 @@ function mcp_post_details($id, $mode, $action)  		'S_CAN_DELETE_POST'		=> $auth->acl_get('m_delete', $post_info['forum_id']),  		'S_POST_REPORTED'		=> ($post_info['post_reported']) ? true : false, -		'S_POST_UNAPPROVED'		=> ($post_info['post_visibility'] == ITEM_UNAPPROVED) ? true : false, +		'S_POST_UNAPPROVED'		=> ($post_info['post_visibility'] == ITEM_UNAPPROVED || $post_info['post_visibility'] == ITEM_REAPPROVE) ? true : false,  		'S_POST_DELETED'		=> ($post_info['post_visibility'] == ITEM_DELETED) ? true : false,  		'S_POST_LOCKED'			=> ($post_info['post_edit_locked']) ? true : false,  		'S_USER_NOTES'			=> true, @@ -294,8 +294,8 @@ function mcp_post_details($id, $mode, $action)  					'REPORT_ID'		=> $row['report_id'],  					'REASON_TITLE'	=> $row['reason_title'],  					'REASON_DESC'	=> $row['reason_description'], -					'REPORTER'		=> ($row['user_id'] != ANONYMOUS) ? $row['username'] : $user->lang['GUEST'], -					'U_REPORTER'	=> ($row['user_id'] != ANONYMOUS) ? append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $row['user_id']) : '', +					'REPORTER'		=> get_username_string('username', $row['user_id'], $row['username']), +					'U_REPORTER'	=> get_username_string('profile', $row['user_id'], $row['username']),  					'USER_NOTIFY'	=> ($row['user_notify']) ? true : false,  					'REPORT_TIME'	=> $user->format_date($row['report_time']),  					'REPORT_TEXT'	=> bbcode_nl2br(trim($row['report_text'])), @@ -354,11 +354,11 @@ function mcp_post_details($id, $mode, $action)  			foreach ($users_ary as $user_id => $user_row)  			{  				$template->assign_block_vars('userrow', array( -					'USERNAME'		=> ($user_id == ANONYMOUS) ? $user->lang['GUEST'] : $user_row['username'], +					'USERNAME'		=> get_username_string('username', $user_id, $user_row['username']),  					'NUM_POSTS'		=> $user_row['postings'],  					'L_POST_S'		=> ($user_row['postings'] == 1) ? $user->lang['POST'] : $user->lang['POSTS'], -					'U_PROFILE'		=> ($user_id == ANONYMOUS) ? '' : append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $user_id), +					'U_PROFILE'		=> get_username_string('profile', $user_id, $user_row['username']),  					'U_SEARCHPOSTS' => append_sid("{$phpbb_root_path}search.$phpEx", 'author_id=' . $user_id . '&sr=topics'))  				);  			} diff --git a/phpBB/includes/mcp/mcp_queue.php b/phpBB/includes/mcp/mcp_queue.php index 3b6897f4e1..a71bc997e9 100644 --- a/phpBB/includes/mcp/mcp_queue.php +++ b/phpBB/includes/mcp/mcp_queue.php @@ -115,10 +115,10 @@ class mcp_queue  				if (!empty($topic_id_list))  				{ -					$post_visibility = ($mode == 'deleted_topics') ? ITEM_DELETED : ITEM_UNAPPROVED; +					$post_visibility = ($mode == 'deleted_topics') ? ITEM_DELETED : array(ITEM_UNAPPROVED, ITEM_REAPPROVE);  					$sql = 'SELECT post_id  						FROM ' . POSTS_TABLE . ' -						WHERE post_visibility = ' . $post_visibility . ' +						WHERE ' . $db->sql_in_set('post_visibility', $post_visibility) . '  							AND ' . $db->sql_in_set('topic_id', $topic_id_list);  					$result = $db->sql_query($sql); @@ -281,7 +281,7 @@ class mcp_queue  					'U_APPROVE_ACTION'		=> append_sid("{$phpbb_root_path}mcp.$phpEx", "i=queue&p=$post_id&f=$forum_id"),  					'S_CAN_VIEWIP'			=> $auth->acl_get('m_info', $post_info['forum_id']),  					'S_POST_REPORTED'		=> $post_info['post_reported'], -					'S_POST_UNAPPROVED'		=> ($post_info['post_visibility'] == ITEM_UNAPPROVED), +					'S_POST_UNAPPROVED'		=> $post_info['post_visibility'] == ITEM_UNAPPROVED || $post_info['post_visibility'] == ITEM_REAPPROVE,  					'S_POST_LOCKED'			=> $post_info['post_edit_locked'],  					'S_USER_NOTES'			=> true,  					'S_POST_DELETED'		=> ($post_info['post_visibility'] == ITEM_DELETED), @@ -298,7 +298,6 @@ class mcp_queue  					'MINI_POST_IMG'			=> ($post_unread) ? $user->img('icon_post_target_unread', 'UNREAD_POST') : $user->img('icon_post_target', 'POST'), -  					'RETURN_QUEUE'			=> sprintf($user->lang['RETURN_QUEUE'], '<a href="' . append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=queue' . (($topic_id) ? '&mode=unapproved_topics' : '&mode=unapproved_posts')) . '&start=' . $start . '">', '</a>'),  					'RETURN_POST'			=> sprintf($user->lang['RETURN_POST'], '<a href="' . $post_url . '">', '</a>'),  					'RETURN_TOPIC_SIMPLE'	=> sprintf($user->lang['RETURN_TOPIC_SIMPLE'], '<a href="' . $topic_url . '">', '</a>'), @@ -331,7 +330,7 @@ class mcp_queue  				$m_perm = 'm_approve';  				$is_topics = ($mode == 'unapproved_topics' || $mode == 'deleted_topics') ? true : false;  				$is_restore = ($mode == 'deleted_posts' || $mode == 'deleted_topics') ? true : false; -				$visibility_const = (!$is_restore) ? ITEM_UNAPPROVED : ITEM_DELETED; +				$visibility_const = (!$is_restore) ? array(ITEM_UNAPPROVED, ITEM_REAPPROVE) : ITEM_DELETED;  				$user->add_lang(array('viewtopic', 'viewforum')); @@ -419,7 +418,7 @@ class mcp_queue  					$sql = 'SELECT p.post_id  						FROM ' . POSTS_TABLE . ' p, ' . TOPICS_TABLE . ' t' . (($sort_order_sql[0] == 'u') ? ', ' . USERS_TABLE . ' u' : '') . '  						WHERE ' . $db->sql_in_set('p.forum_id', $forum_list) . ' -							AND p.post_visibility = ' . $visibility_const . ' +							AND ' . $db->sql_in_set('p.post_visibility', $visibility_const) . '  							' . (($sort_order_sql[0] == 'u') ? 'AND u.user_id = p.poster_id' : '') . '  							' . (($topic_id) ? 'AND p.topic_id = ' . $topic_id : '') . "  							AND t.topic_id = p.topic_id @@ -472,7 +471,7 @@ class mcp_queue  					$sql = 'SELECT t.forum_id, t.topic_id, t.topic_title, t.topic_title AS post_subject, t.topic_time AS post_time, t.topic_poster AS poster_id, t.topic_first_post_id AS post_id, t.topic_attachment AS post_attachment, t.topic_first_poster_name AS username, t.topic_first_poster_colour AS user_colour  						FROM ' . TOPICS_TABLE . ' t  						WHERE ' . $db->sql_in_set('forum_id', $forum_list) . ' -							AND topic_visibility = ' . $visibility_const . " +							AND  ' . $db->sql_in_set('topic_visibility', $visibility_const) . "  							AND topic_delete_user <> 0  							$limit_time_sql  						ORDER BY $sort_order_sql"; @@ -547,7 +546,6 @@ class mcp_queue  					'S_TOPICS'				=> $is_topics,  					'S_RESTORE'				=> $is_restore, -					'PAGE_NUMBER'			=> $pagination->on_page($base_url, $total, $config['topics_per_page'], $start),  					'TOPIC_ID'				=> $topic_id,  					'TOTAL'					=> $user->lang(((!$is_topics) ? 'VIEW_TOPIC_POSTS' : 'VIEW_FORUM_TOPICS'), (int) $total),  				)); @@ -654,13 +652,25 @@ class mcp_queue  				// Handle notifications  				foreach ($post_info as $post_id => $post_data)  				{ +					// A single topic approval may also happen here, so handle deleting the respective notification. +					if (!$post_data['topic_posts_approved']) +					{ +						$phpbb_notifications->delete_notifications('topic_in_queue', $post_data['topic_id']); +					}  					$phpbb_notifications->delete_notifications('post_in_queue', $post_id); -					$phpbb_notifications->add_notifications(array( -						'quote', -						'bookmark', -						'post', -					), $post_data); +					// Only add notifications, if we are not reapproving post +					// When the topic was already approved, but was edited and +					// now needs re-approval, we don't want to notify the users +					// again. +					if ($post_data['post_visibility'] == ITEM_UNAPPROVED) +					{ +						$phpbb_notifications->add_notifications(array( +							'quote', +							'bookmark', +							'post', +						), $post_data); +					}  					$phpbb_notifications->mark_notifications_read(array(  						'quote', @@ -773,9 +783,12 @@ class mcp_queue  			$notify_poster = ($action == 'approve' && isset($_REQUEST['notify_poster'])) ? true : false;  			$phpbb_content_visibility = $phpbb_container->get('content.visibility'); +			$first_post_ids = array(); +  			foreach ($topic_info as $topic_id => $topic_data)  			{  				$phpbb_content_visibility->set_topic_visibility(ITEM_APPROVED, $topic_id, $topic_data['forum_id'], $user->data['user_id'], time(), ''); +				$first_post_ids[$topic_id] = (int) $topic_data['topic_first_post_id'];  				$topic_url = append_sid("{$phpbb_root_path}viewtopic.$phpEx", "f={$topic_data['forum_id']}&t={$topic_id}"); @@ -799,23 +812,51 @@ class mcp_queue  			// Only send out the mails, when the posts are being approved  			if ($action == 'approve')  			{ +				// Grab the first post text as it's needed for the quote notification. +				$sql = 'SELECT topic_id, post_text +					FROM ' . POSTS_TABLE . ' +					WHERE ' . $db->sql_in_set('post_id', $first_post_ids); +				$result = $db->sql_query($sql); + +				while ($row = $db->sql_fetchrow($result)) +				{ +					$topic_info[$row['topic_id']]['post_text'] = $row['post_text']; +				} +				$db->sql_freeresult($result); +  				// Handle notifications  				$phpbb_notifications = $phpbb_container->get('notification_manager');  				foreach ($topic_info as $topic_id => $topic_data)  				{ -					$phpbb_notifications->delete_notifications('topic_in_queue', $post_data['topic_id']); -					$phpbb_notifications->add_notifications(array( -						'quote', -						'topic', -					), $post_data); +					$topic_data = array_merge($topic_data, array( +						'post_id'		=> $topic_data['topic_first_post_id'], +						'post_subject'	=> $topic_data['topic_title'], +						'post_time'		=> $topic_data['topic_time'], +						'poster_id'		=> $topic_data['topic_poster'], +						'username'		=> $topic_data['topic_first_poster_name'], +					)); + +					$phpbb_notifications->delete_notifications('topic_in_queue', $topic_id); + +					// Only add notifications, if we are not reapproving post +					// When the topic was already approved, but was edited and +					// now needs re-approval, we don't want to notify the users +					// again. +					if ($topic_data['topic_visibility'] == ITEM_UNAPPROVED) +					{ +						$phpbb_notifications->add_notifications(array( +							'quote', +							'topic', +						), $topic_data); +					} -					$phpbb_notifications->mark_notifications_read('quote', $post_data['post_id'], $user->data['user_id']); -					$phpbb_notifications->mark_notifications_read('topic', $post_data['topic_id'], $user->data['user_id']); +					$phpbb_notifications->mark_notifications_read('quote', $topic_data['post_id'], $user->data['user_id']); +					$phpbb_notifications->mark_notifications_read('topic', $topic_id, $user->data['user_id']);  					if ($notify_poster)  					{ -						$phpbb_notifications->add_notifications('approve_topic', $post_data); +						$phpbb_notifications->add_notifications('approve_topic', $topic_data);  					}  				}  			} @@ -1033,7 +1074,7 @@ class mcp_queue  					if ($is_disapproving)  					{  						$l_log_message = ($log_data['type'] == 'topic') ? 'LOG_TOPIC_DISAPPROVED' : 'LOG_POST_DISAPPROVED'; -						add_log('mod', $log_data['forum_id'], $log_data['topic_id'], $l_log_message, $log_data['post_subject'], $disapprove_reason); +						add_log('mod', $log_data['forum_id'], $log_data['topic_id'], $l_log_message, $log_data['post_subject'], $disapprove_reason, $log_data['post_username']);  					}  					else  					{ @@ -1099,7 +1140,6 @@ class mcp_queue  						$post_data['disapprove_reason'] .= ($reason) ? "\n\n" . $reason : '';  					} -  					if ($disapprove_all_posts_in_topic && $topic_information[$topic_id]['topic_posts_unapproved'] == 1)  					{  						// If there is only 1 post when disapproving the topic, @@ -1117,7 +1157,6 @@ class mcp_queue  			unset($lang_reasons, $post_info, $disapprove_reason, $disapprove_reason_lang); -  			if ($num_disapproved_topics)  			{  				$success_msg = ($num_disapproved_topics == 1) ? 'TOPIC' : 'TOPICS'; @@ -1136,6 +1175,22 @@ class mcp_queue  				$success_msg .= '_DELETED_SUCCESS';  			} +			// If we came from viewtopic, we try to go back to it. +			if (strpos($redirect, $phpbb_root_path . 'viewtopic.' . $phpEx) === 0) +			{ +				if ($num_disapproved_topics == 0) +				{ +					// So we need to remove the post id part from the Url +					$redirect = str_replace("&p={$post_id_list[0]}#p{$post_id_list[0]}", '', $redirect); +				} +				else +				{ +					// However this is only possible if the topic still exists, +					// Otherwise we go back to the viewforum page +					$redirect = append_sid($phpbb_root_path . 'viewforum.' . $phpEx, 'f=' . $request->variable('f', 0)); +				} +			} +  			meta_refresh(3, $redirect);  			$message = $user->lang[$success_msg]; diff --git a/phpBB/includes/mcp/mcp_reports.php b/phpBB/includes/mcp/mcp_reports.php index 02892964f1..5681b83212 100644 --- a/phpBB/includes/mcp/mcp_reports.php +++ b/phpBB/includes/mcp/mcp_reports.php @@ -98,10 +98,10 @@ class mcp_reports  				$post_id = $report['post_id'];  				$report_id = $report['report_id']; -				 +  				$parse_post_flags = $report['reported_post_enable_bbcode'] ? OPTION_FLAG_BBCODE : 0;  				$parse_post_flags += $report['reported_post_enable_smilies'] ? OPTION_FLAG_SMILIES : 0; -				$parse_post_flags += $report['reported_post_enable_magic_url'] ? OPTION_FLAG_LINKS : 0;  +				$parse_post_flags += $report['reported_post_enable_magic_url'] ? OPTION_FLAG_LINKS : 0;  				$post_info = get_post_data(array($post_id), 'm_report', true); @@ -144,7 +144,6 @@ class mcp_reports  				$post_unread = (isset($topic_tracking_info[$post_info['topic_id']]) && $post_info['post_time'] > $topic_tracking_info[$post_info['topic_id']]) ? true : false; -  				$report['report_text'] = make_clickable(bbcode_nl2br($report['report_text']));  				if ($post_info['post_attachment'] && $auth->acl_get('u_download') && $auth->acl_get('f_download', $post_info['forum_id'])) @@ -187,7 +186,7 @@ class mcp_reports  					'S_CLOSE_ACTION'		=> append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=reports&mode=report_details&f=' . $post_info['forum_id'] . '&p=' . $post_id),  					'S_CAN_VIEWIP'			=> $auth->acl_get('m_info', $post_info['forum_id']),  					'S_POST_REPORTED'		=> $post_info['post_reported'], -					'S_POST_UNAPPROVED'		=> ($post_info['post_visibility'] == ITEM_UNAPPROVED), +					'S_POST_UNAPPROVED'		=> $post_info['post_visibility'] == ITEM_UNAPPROVED || $post_info['post_visibility'] == ITEM_REAPPROVE,  					'S_POST_LOCKED'			=> $post_info['post_edit_locked'],  					'S_REPORT_CLOSED'		=> $report['report_closed'],  					'S_USER_NOTES'			=> true, @@ -423,7 +422,6 @@ class mcp_reports  					'S_FORUM_OPTIONS'		=> $forum_options,  					'S_CLOSED'				=> ($mode == 'reports_closed') ? true : false, -					'PAGE_NUMBER'			=> $pagination->on_page($base_url, $total, $config['topics_per_page'], $start),  					'TOPIC_ID'				=> $topic_id,  					'TOTAL'					=> $total,  					'TOTAL_REPORTS'			=> $user->lang('LIST_REPORTS', (int) $total), @@ -579,7 +577,6 @@ function close_report($report_id_list, $mode, $action, $pm = false)  			}  			$db->sql_query($sql); -  			if (sizeof($close_report_posts))  			{  				if ($pm) @@ -616,23 +613,25 @@ function close_report($report_id_list, $mode, $action, $pm = false)  		}  		unset($close_report_posts, $close_report_topics); +		$phpbb_notifications = $phpbb_container->get('notification_manager'); +  		foreach ($reports as $report)  		{  			if ($pm)  			{  				add_log('mod', 0, 0, 'LOG_PM_REPORT_' .  strtoupper($action) . 'D', $post_info[$report['pm_id']]['message_subject']); +				$phpbb_notifications->delete_notifications('report_pm', $report['pm_id']);  			}  			else  			{  				add_log('mod', $post_info[$report['post_id']]['forum_id'], $post_info[$report['post_id']]['topic_id'], 'LOG_REPORT_' .  strtoupper($action) . 'D', $post_info[$report['post_id']]['post_subject']); +				$phpbb_notifications->delete_notifications('report_post', $report['post_id']);  			}  		}  		// Notify reporters  		if (sizeof($notify_reporters))  		{ -			$phpbb_notifications = $phpbb_container->get('notification_manager'); -  			foreach ($notify_reporters as $report_id => $reporter)  			{  				if ($reporter['user_id'] == ANONYMOUS) @@ -649,8 +648,6 @@ function close_report($report_id_list, $mode, $action, $pm = false)  						'closer_id'			=> $user->data['user_id'],  						'from_user_id'		=> $post_info[$post_id]['author_id'],  					))); - -					$phpbb_notifications->delete_notifications('report_pm', $post_id);  				}  				else  				{ @@ -658,8 +655,6 @@ function close_report($report_id_list, $mode, $action, $pm = false)  						'reporter'			=> $reporter['user_id'],  						'closer_id'			=> $user->data['user_id'],  					))); - -					$phpbb_notifications->delete_notifications('report_post', $post_id);  				}  			}  		} diff --git a/phpBB/includes/mcp/mcp_topic.php b/phpBB/includes/mcp/mcp_topic.php index a4c561a3bf..48efa330d4 100644 --- a/phpBB/includes/mcp/mcp_topic.php +++ b/phpBB/includes/mcp/mcp_topic.php @@ -212,7 +212,7 @@ function mcp_topic_view($id, $mode, $action)  			parse_attachments($topic_info['forum_id'], $message, $attachments[$row['post_id']], $update_count);  		} -		if ($row['post_visibility'] == ITEM_UNAPPROVED) +		if ($row['post_visibility'] == ITEM_UNAPPROVED || $row['post_visibility'] == ITEM_REAPPROVE)  		{  			$has_unapproved_posts = true;  		} @@ -239,7 +239,7 @@ function mcp_topic_view($id, $mode, $action)  			'MINI_POST_IMG'			=> ($post_unread) ? $user->img('icon_post_target_unread', 'UNREAD_POST') : $user->img('icon_post_target', 'POST'),  			'S_POST_REPORTED'	=> ($row['post_reported'] && $auth->acl_get('m_report', $topic_info['forum_id'])), -			'S_POST_UNAPPROVED'	=> ($row['post_visibility'] == ITEM_UNAPPROVED && $auth->acl_get('m_approve', $topic_info['forum_id'])), +			'S_POST_UNAPPROVED'	=> (($row['post_visibility'] == ITEM_UNAPPROVED || $row['post_visibility'] == ITEM_REAPPROVE) && $auth->acl_get('m_approve', $topic_info['forum_id'])),  			'S_POST_DELETED'	=> ($row['post_visibility'] == ITEM_DELETED && $auth->acl_get('m_approve', $topic_info['forum_id'])),  			'S_CHECKED'			=> (($submitted_id_list && !in_array(intval($row['post_id']), $submitted_id_list)) || in_array(intval($row['post_id']), $checked_ids)) ? true : false,  			'S_HAS_ATTACHMENTS'	=> (!empty($attachments[$row['post_id']])) ? true : false, @@ -343,7 +343,6 @@ function mcp_topic_view($id, $mode, $action)  		'RETURN_TOPIC'		=> sprintf($user->lang['RETURN_TOPIC'], '<a href="' . append_sid("{$phpbb_root_path}viewtopic.$phpEx", "f={$topic_info['forum_id']}&t={$topic_info['topic_id']}&start=$start") . '">', '</a>'),  		'RETURN_FORUM'		=> sprintf($user->lang['RETURN_FORUM'], '<a href="' . append_sid("{$phpbb_root_path}viewforum.$phpEx", "f={$topic_info['forum_id']}&start=$start") . '">', '</a>'), -		'PAGE_NUMBER'		=> $pagination->on_page($base_url, $total, $posts_per_page, $start),  		'TOTAL_POSTS'		=> $user->lang('VIEW_TOPIC_POSTS', (int) $total),  	));  } @@ -463,7 +462,7 @@ function split_topic($action, $topic_id, $to_forum_id, $subject)  			while ($row = $db->sql_fetchrow($result))  			{  				// If split from selected post (split_beyond), we split the unapproved items too. -				if ($row['post_visibility'] == ITEM_UNAPPROVED && !$auth->acl_get('m_approve', $row['forum_id'])) +				if (($row['post_visibility'] == ITEM_UNAPPROVED || $row['post_visibility'] == ITEM_REAPPROVE) && !$auth->acl_get('m_approve', $row['forum_id']))  				{  //					continue;  				} diff --git a/phpBB/includes/mcp/mcp_warn.php b/phpBB/includes/mcp/mcp_warn.php index e39bddec5b..4275182d26 100644 --- a/phpBB/includes/mcp/mcp_warn.php +++ b/phpBB/includes/mcp/mcp_warn.php @@ -96,9 +96,6 @@ class mcp_warn  				'U_NOTES'		=> append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=notes&mode=user_notes&u=' . $row['user_id']),  				'USERNAME_FULL'		=> get_username_string('full', $row['user_id'], $row['username'], $row['user_colour']), -				'USERNAME'			=> $row['username'], -				'USERNAME_COLOUR'	=> ($row['user_colour']) ? '#' . $row['user_colour'] : '', -				'U_USER'			=> append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $row['user_id']),  				'WARNING_TIME'	=> $user->format_date($row['user_last_warning']),  				'WARNINGS'		=> $row['user_warnings'], @@ -118,9 +115,6 @@ class mcp_warn  				'U_NOTES'		=> append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=notes&mode=user_notes&u=' . $row['user_id']),  				'USERNAME_FULL'		=> get_username_string('full', $row['user_id'], $row['username'], $row['user_colour']), -				'USERNAME'			=> $row['username'], -				'USERNAME_COLOUR'	=> ($row['user_colour']) ? '#' . $row['user_colour'] : '', -				'U_USER'			=> append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $row['user_id']),  				'WARNING_TIME'	=> $user->format_date($row['warning_time']),  				'WARNINGS'		=> $row['user_warnings'], @@ -167,9 +161,6 @@ class mcp_warn  				'U_NOTES'		=> append_sid("{$phpbb_root_path}mcp.$phpEx", 'i=notes&mode=user_notes&u=' . $row['user_id']),  				'USERNAME_FULL'		=> get_username_string('full', $row['user_id'], $row['username'], $row['user_colour']), -				'USERNAME'			=> $row['username'], -				'USERNAME_COLOUR'	=> ($row['user_colour']) ? '#' . $row['user_colour'] : '', -				'U_USER'			=> append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=viewprofile&u=' . $row['user_id']),  				'WARNING_TIME'	=> $user->format_date($row['user_last_warning']),  				'WARNINGS'		=> $row['user_warnings'], @@ -186,7 +177,6 @@ class mcp_warn  			'S_SELECT_SORT_KEY'		=> $s_sort_key,  			'S_SELECT_SORT_DAYS'	=> $s_limit_days, -			'PAGE_NUMBER'		=> $pagination->on_page($base_url, $user_count, $config['topics_per_page'], $start),  			'TOTAL_USERS'		=> $user->lang('LIST_USERS', (int) $user_count),  		));  	} @@ -294,7 +284,7 @@ class mcp_warn  		$message = generate_text_for_display($user_row['post_text'], $user_row['bbcode_uid'], $user_row['bbcode_bitfield'], $parse_flags, true);  		// Generate the appropriate user information for the user we are looking at -		if (!function_exists('phpbb_get_user_avatar')) +		if (!function_exists('get_user_rank'))  		{  			include($phpbb_root_path . 'includes/functions_display.' . $phpEx);  		} @@ -399,11 +389,10 @@ class mcp_warn  		}  		// Generate the appropriate user information for the user we are looking at -		if (!function_exists('phpbb_get_user_avatar')) +		if (!function_exists('get_user_rank'))  		{  			include($phpbb_root_path . 'includes/functions_display.' . $phpEx);  		} -  		get_user_rank($user_row['user_rank'], $user_row['user_posts'], $rank_title, $rank_img, $rank_img_src);  		$avatar_img = phpbb_get_user_avatar($user_row); diff --git a/phpBB/includes/message_parser.php b/phpBB/includes/message_parser.php index b29f587385..17a350bab3 100644 --- a/phpBB/includes/message_parser.php +++ b/phpBB/includes/message_parser.php @@ -104,7 +104,7 @@ class bbcode_firstpass extends bbcode  	function bbcode_init($allow_custom_bbcode = true)  	{  		global $phpbb_dispatcher; -		 +  		static $rowset;  		// This array holds all bbcode data. BBCodes will be processed in this @@ -1461,6 +1461,7 @@ class parse_message extends bbcode_firstpass  						'is_orphan'		=> 1,  						'real_filename'	=> $filedata['real_filename'],  						'attach_comment'=> $this->filename_data['filecomment'], +						'filesize'		=> $filedata['filesize'],  					);  					$this->attachment_data = array_merge(array(0 => $new_entry), $this->attachment_data); @@ -1572,6 +1573,7 @@ class parse_message extends bbcode_firstpass  							'is_orphan'		=> 1,  							'real_filename'	=> $filedata['real_filename'],  							'attach_comment'=> $this->filename_data['filecomment'], +							'filesize'		=> $filedata['filesize'],  						);  						$this->attachment_data = array_merge(array(0 => $new_entry), $this->attachment_data); @@ -1580,8 +1582,10 @@ class parse_message extends bbcode_firstpass  						if (isset($this->plupload) && $this->plupload->is_active())  						{ +							$download_url = append_sid("{$phpbb_root_path}download/file.{$phpEx}", 'mode=view&id=' . $new_entry['attach_id']); +  							// Send the client the attachment data to maintain state -							$json_response->send($this->attachment_data); +							$json_response->send(array('data' => $this->attachment_data, 'download_url' => $download_url));  						}  					}  				} @@ -1649,7 +1653,7 @@ class parse_message extends bbcode_firstpass  		if (sizeof($not_orphan))  		{  			// Get the attachment data, based on the poster id... -			$sql = 'SELECT attach_id, is_orphan, real_filename, attach_comment +			$sql = 'SELECT attach_id, is_orphan, real_filename, attach_comment, filesize  				FROM ' . ATTACHMENTS_TABLE . '  				WHERE ' . $db->sql_in_set('attach_id', array_keys($not_orphan)) . '  					AND poster_id = ' . $check_user_id; @@ -1674,7 +1678,7 @@ class parse_message extends bbcode_firstpass  		// Regenerate newly uploaded attachments  		if (sizeof($orphan))  		{ -			$sql = 'SELECT attach_id, is_orphan, real_filename, attach_comment +			$sql = 'SELECT attach_id, is_orphan, real_filename, attach_comment, filesize  				FROM ' . ATTACHMENTS_TABLE . '  				WHERE ' . $db->sql_in_set('attach_id', array_keys($orphan)) . '  					AND poster_id = ' . $user->data['user_id'] . ' diff --git a/phpBB/includes/ucp/info/ucp_auth_link.php b/phpBB/includes/ucp/info/ucp_auth_link.php index ee88b15ea8..3a34232d28 100644 --- a/phpBB/includes/ucp/info/ucp_auth_link.php +++ b/phpBB/includes/ucp/info/ucp_auth_link.php @@ -19,7 +19,7 @@ class ucp_auth_link_info  			'title'		=> 'UCP_AUTH_LINK',  			'version'	=> '1.0.0',  			'modes'		=> array( -				'auth_link'	=> array('title' => 'UCP_AUTH_LINK_MANAGE', 'auth' => '', 'cat' => array('UCP_PROFILE')), +				'auth_link'	=> array('title' => 'UCP_AUTH_LINK_MANAGE', 'auth' => 'authmethod_oauth', 'cat' => array('UCP_PROFILE')),  			),  		);  	} diff --git a/phpBB/includes/ucp/ucp_attachments.php b/phpBB/includes/ucp/ucp_attachments.php index e687ee9cdc..6a5b48a181 100644 --- a/phpBB/includes/ucp/ucp_attachments.php +++ b/phpBB/includes/ucp/ucp_attachments.php @@ -178,7 +178,6 @@ class ucp_attachments  		$pagination->generate_template_pagination($base_url, 'pagination', 'start', $num_attachments, $config['topics_per_page'], $start);  		$template->assign_vars(array( -			'PAGE_NUMBER'			=> $pagination->on_page($base_url, $num_attachments, $config['topics_per_page'], $start),  			'TOTAL_ATTACHMENTS'		=> $num_attachments,  			'L_TITLE'				=> $user->lang['UCP_ATTACHMENTS'], diff --git a/phpBB/includes/ucp/ucp_groups.php b/phpBB/includes/ucp/ucp_groups.php index a17c87e5a1..373d9433b2 100644 --- a/phpBB/includes/ucp/ucp_groups.php +++ b/phpBB/includes/ucp/ucp_groups.php @@ -821,7 +821,6 @@ class ucp_groups  						$template->assign_vars(array(  							'S_LIST'			=> true,  							'S_ACTION_OPTIONS'	=> $s_action_options, -							'S_ON_PAGE'			=> $pagination->on_page($template, $user, $base_url, $total_members, $config['topics_per_page'], $start),  							'U_ACTION'			=> $this->u_action . "&g=$group_id",  							'S_UCP_ACTION'		=> $this->u_action . "&g=$group_id", diff --git a/phpBB/includes/ucp/ucp_main.php b/phpBB/includes/ucp/ucp_main.php index b9f951ace6..11ba2fba4d 100644 --- a/phpBB/includes/ucp/ucp_main.php +++ b/phpBB/includes/ucp/ucp_main.php @@ -189,15 +189,12 @@ class ucp_main  				$template->assign_vars(array(  					'USER_COLOR'		=> (!empty($user->data['user_colour'])) ? $user->data['user_colour'] : '',  					'JOINED'			=> $user->format_date($user->data['user_regdate']), -					'VISITED'			=> (empty($last_visit)) ? ' - ' : $user->format_date($last_visit), +					'LAST_ACTIVE'			=> (empty($last_active)) ? ' - ' : $user->format_date($last_active),  					'WARNINGS'			=> ($user->data['user_warnings']) ? $user->data['user_warnings'] : 0,  					'POSTS'				=> ($user->data['user_posts']) ? $user->data['user_posts'] : 0,  					'POSTS_DAY'			=> $user->lang('POST_DAY', $posts_per_day),  					'POSTS_PCT'			=> $user->lang('POST_PCT', $percentage), -					'OCCUPATION'	=> (!empty($row['user_occ'])) ? $row['user_occ'] : '', -					'INTERESTS'		=> (!empty($row['user_interests'])) ? $row['user_interests'] : '', -  //					'S_GROUP_OPTIONS'	=> $group_options,  					'U_SEARCH_USER'		=> ($auth->acl_get('u_search')) ? append_sid("{$phpbb_root_path}search.$phpEx", 'author_id=' . $user->data['user_id'] . '&sr=posts') : '', @@ -357,6 +354,8 @@ class ucp_main  							'LAST_POST_AUTHOR_FULL'		=> get_username_string('full', $row['forum_last_poster_id'], $row['forum_last_poster_name'], $row['forum_last_poster_colour']),  							'U_LAST_POST_AUTHOR'		=> get_username_string('profile', $row['forum_last_poster_id'], $row['forum_last_poster_name'], $row['forum_last_poster_colour']), +							'S_UNREAD_FORUM'		=> $unread_forum, +  							'U_LAST_POST'			=> $last_post_url,  							'U_VIEWFORUM'			=> append_sid("{$phpbb_root_path}viewforum.$phpEx", 'f=' . $row['forum_id']))  						); @@ -620,7 +619,6 @@ class ucp_main  			break;  		} -  		$template->assign_vars(array(  			'L_TITLE'			=> $user->lang['UCP_MAIN_' . strtoupper($mode)], @@ -674,7 +672,6 @@ class ucp_main  			$pagination->generate_template_pagination($this->u_action, 'pagination', 'start', $topics_count, $config['topics_per_page'], $start);  			$template->assign_vars(array( -				'PAGE_NUMBER'	=> $pagination->on_page($this->u_action, $topics_count, $config['topics_per_page'], $start),  				'TOTAL_TOPICS'	=> $user->lang('VIEW_FORUM_TOPICS', (int) $topics_count),  			));  		} @@ -693,7 +690,6 @@ class ucp_main  					AND t.topic_id = tw.topic_id  					AND ' . $db->sql_in_set('t.forum_id', $forbidden_forum_ary, true, true), -  				'ORDER_BY'	=> 't.topic_last_post_time DESC'  			); diff --git a/phpBB/includes/ucp/ucp_notifications.php b/phpBB/includes/ucp/ucp_notifications.php index 79055095bc..f3b72d12aa 100644 --- a/phpBB/includes/ucp/ucp_notifications.php +++ b/phpBB/includes/ucp/ucp_notifications.php @@ -98,7 +98,19 @@ class ucp_notifications  						$phpbb_notifications->mark_notifications_read(false, false, $user->data['user_id'], $form_time);  						meta_refresh(3, $this->u_action); -						$message = $user->lang['NOTIFICATIONS_MARK_ALL_READ_SUCCESS'] . '<br /><br />' . sprintf($user->lang['RETURN_UCP'], '<a href="' . $this->u_action . '">', '</a>'); +						$message = $user->lang['NOTIFICATIONS_MARK_ALL_READ_SUCCESS']; + +						if ($request->is_ajax()) +						{ +							$json_response = new \phpbb\json_response(); +							$json_response->send(array( +								'MESSAGE_TITLE'	=> $user->lang['INFORMATION'], +								'MESSAGE_TEXT'	=> $message, +								'success'		=> true, +							)); +						} +						$message .= '<br /><br />' . $user->lang('RETURN_UCP', '<a href="' . $this->u_action . '">', '</a>'); +  						trigger_error($message);  					}  					else @@ -142,7 +154,6 @@ class ucp_notifications  				$pagination->generate_template_pagination($base_url, 'pagination', 'start', $notifications['total_count'], $config['topics_per_page'], $start);  				$template->assign_vars(array( -					'PAGE_NUMBER'	=> $pagination->on_page($base_url, $notifications['total_count'], $config['topics_per_page'], $start),  					'TOTAL_COUNT'	=> $notifications['total_count'],  					'U_MARK_ALL'	=> $base_url . '&mark=all&token=' . generate_link_hash('mark_all_notifications_read'),  				)); diff --git a/phpBB/includes/ucp/ucp_pm.php b/phpBB/includes/ucp/ucp_pm.php index 517ae0b08c..74dc08d875 100644 --- a/phpBB/includes/ucp/ucp_pm.php +++ b/phpBB/includes/ucp/ucp_pm.php @@ -172,7 +172,6 @@ class ucp_pm  					trigger_error('NO_AUTH_READ_HOLD_MESSAGE');  				} -  				// First Handle Mark actions and moving messages  				$submit_mark	= (isset($_POST['submit_mark'])) ? true : false;  				$move_pm		= (isset($_POST['move_pm'])) ? true : false; @@ -352,9 +351,10 @@ class ucp_pm  				else if ($action == 'view_message')  				{  					$template->assign_vars(array( -						'S_VIEW_MESSAGE'	=> true, -						'MSG_ID'			=> $msg_id) -					); +						'S_VIEW_MESSAGE'		=> true, +						'L_RETURN_TO_FOLDER'	=> $user->lang('RETURN_TO', $folder_status['folder_name']), +						'MSG_ID'				=> $msg_id, +					));  					if (!$msg_id)  					{ diff --git a/phpBB/includes/ucp/ucp_pm_compose.php b/phpBB/includes/ucp/ucp_pm_compose.php index 87dfdf902b..3219771c93 100644 --- a/phpBB/includes/ucp/ucp_pm_compose.php +++ b/phpBB/includes/ucp/ucp_pm_compose.php @@ -586,7 +586,6 @@ function compose_pm($id, $mode, $action, $user_folders = array())  				);  				$s_hidden_fields .= build_address_field($address_list); -  				confirm_box(false, 'SAVE_DRAFT', $s_hidden_fields);  			}  		} @@ -748,7 +747,6 @@ function compose_pm($id, $mode, $action, $user_folders = array())  			$return_box_url = ($action === 'post' || $action === 'edit') ? $outbox_folder_url : $inbox_folder_url;  			$return_box_lang = ($action === 'post' || $action === 'edit') ? 'PM_OUTBOX' : 'PM_INBOX'; -  			$save_message = ($action === 'edit') ? $user->lang['MESSAGE_EDITED'] : $user->lang['MESSAGE_STORED'];  			$message = $save_message . '<br /><br />' . $user->lang('VIEW_PRIVATE_MESSAGE', '<a href="' . $return_message_url . '">', '</a>'); @@ -1006,7 +1004,6 @@ function compose_pm($id, $mode, $action, $user_folders = array())  	// Build hidden address list  	$s_hidden_address_field = build_address_field($address_list); -  	$bbcode_checked		= (isset($enable_bbcode)) ? !$enable_bbcode : (($config['allow_bbcode'] && $auth->acl_get('u_pm_bbcode')) ? !$user->optionget('bbcode') : 1);  	$smilies_checked	= (isset($enable_smilies)) ? !$enable_smilies : (($config['allow_smilies'] && $auth->acl_get('u_pm_smilies')) ? !$user->optionget('smilies') : 1);  	$urls_checked		= (isset($enable_urls)) ? !$enable_urls : 0; @@ -1081,6 +1078,7 @@ function compose_pm($id, $mode, $action, $user_folders = array())  		'S_SAVE_ALLOWED'		=> ($auth->acl_get('u_savedrafts') && $action != 'edit') ? true : false,  		'S_HAS_DRAFTS'			=> ($auth->acl_get('u_savedrafts') && $drafts),  		'S_FORM_ENCTYPE'		=> $form_enctype, +		'S_ATTACH_DATA'			=> json_encode($message_parser->attachment_data),  		'S_BBCODE_IMG'			=> $img_status,  		'S_BBCODE_FLASH'		=> $flash_status, @@ -1104,7 +1102,8 @@ function compose_pm($id, $mode, $action, $user_folders = array())  	if ($allowed)  	{ -		$plupload->configure($cache, $template, $s_action, false); +		$max_files = ($auth->acl_gets('a_', 'm_')) ? 0 : (int) $config['max_attachments_pm']; +		$plupload->configure($cache, $template, $s_action, false, $max_files);  	}  	// Attachment entry @@ -1227,29 +1226,81 @@ function handle_message_list_actions(&$address_list, &$error, $remove_u, $remove  	// Check for disallowed recipients  	if (!empty($address_list['u']))  	{ -		// We need to check their PM status (do they want to receive PM's?) -		// Only check if not a moderator or admin, since they are allowed to override this user setting -		if (!$auth->acl_gets('a_', 'm_') && !$auth->acl_getf_global('m_')) +		// Administrator deactivated users check and we need to check their +		//		PM status (do they want to receive PM's?) +		// 		Only check PM status if not a moderator or admin, since they +		//		are allowed to override this user setting +		$sql = 'SELECT user_id, user_allow_pm +			FROM ' . USERS_TABLE . ' +			WHERE ' . $db->sql_in_set('user_id', array_keys($address_list['u'])) . ' +				AND (user_type = ' . USER_INACTIVE . ' +					AND user_inactive_reason = ' . INACTIVE_MANUAL . ')'; + +		$can_ignore_allow_pm = ($auth->acl_gets('a_', 'm_') || $auth->acl_getf_global('m_')); +		if (!$can_ignore_allow_pm)  		{ -			$sql = 'SELECT user_id -				FROM ' . USERS_TABLE . ' -				WHERE ' . $db->sql_in_set('user_id', array_keys($address_list['u'])) . ' -					AND user_allow_pm = 0'; -			$result = $db->sql_query($sql); +			$sql .= ' OR user_allow_pm = 0'; +		} -			$removed = false; -			while ($row = $db->sql_fetchrow($result)) +		$result = $db->sql_query($sql); + +		$removed_no_pm = $removed_no_permission = false; +		while ($row = $db->sql_fetchrow($result)) +		{ +			if (!$can_ignore_allow_pm && !$row['user_allow_pm'])  			{ -				$removed = true; -				unset($address_list['u'][$row['user_id']]); +				$removed_no_pm = true;  			} -			$db->sql_freeresult($result); +			else +			{ +				$removed_no_permission = true; +			} + +			unset($address_list['u'][$row['user_id']]); +		} +		$db->sql_freeresult($result); -			// print a notice about users not being added who do not want to receive pms -			if ($removed) +		// print a notice about users not being added who do not want to receive pms +		if ($removed_no_pm) +		{ +			$error[] = $user->lang['PM_USERS_REMOVED_NO_PM']; +		} + +		// print a notice about users not being added who do not have permission to receive PMs +		if ($removed_no_permission) +		{ +			$error[] = $user->lang['PM_USERS_REMOVED_NO_PERMISSION']; +		} + +		if (!sizeof(array_keys($address_list['u']))) +		{ +			return; +		} + +		// Check if users have permission to read PMs +		$can_read = $auth->acl_get_list(array_keys($address_list['u']), 'u_readpm'); +		$can_read = (empty($can_read) || !isset($can_read[0]['u_readpm'])) ? array() : $can_read[0]['u_readpm']; +		$cannot_read_list = array_diff(array_keys($address_list['u']), $can_read); +		if (!empty($cannot_read_list)) +		{ +			foreach ($cannot_read_list as $cannot_read) +			{ +				unset($address_list['u'][$cannot_read]); +			} + +			$error[] = $user->lang['PM_USERS_REMOVED_NO_PERMISSION']; +		} + +		// Check if users are banned +		$banned_user_list = phpbb_get_banned_user_ids(array_keys($address_list['u']), false); +		if (!empty($banned_user_list)) +		{ +			foreach ($banned_user_list as $banned_user)  			{ -				$error[] = $user->lang['PM_USERS_REMOVED_NO_PM']; +				unset($address_list['u'][$banned_user]);  			} + +			$error[] = $user->lang['PM_USERS_REMOVED_NO_PERMISSION'];  		}  	}  } diff --git a/phpBB/includes/ucp/ucp_pm_options.php b/phpBB/includes/ucp/ucp_pm_options.php index bf7334b307..71c96a25b6 100644 --- a/phpBB/includes/ucp/ucp_pm_options.php +++ b/phpBB/includes/ucp/ucp_pm_options.php @@ -65,7 +65,7 @@ function message_options($id, $mode, $global_privmsgs_rules, $global_rule_condit  			trigger_error($message);  		}  	} -	 +  	// Add Folder  	if (isset($_POST['addfolder']))  	{ @@ -226,11 +226,11 @@ function message_options($id, $mode, $global_privmsgs_rules, $global_rule_condit  				// Move Messages  				case 1:  					$num_moved = move_pm($user->data['user_id'], $user->data['message_limit'], $msg_ids, $move_to, $remove_folder_id); -					 +  					// Something went wrong, only partially moved?  					if ($num_moved != $folder_row['pm_count'])  					{ -						trigger_error($user->lang('MOVE_PM_ERROR', (int) $folder_row['pm_count'], $num_moved)); +						trigger_error($user->lang('MOVE_PM_ERROR', $user->lang('MESSAGES_COUNT', (int) $folder_row['pm_count']), $num_moved));  					}  				break; @@ -418,10 +418,10 @@ function message_options($id, $mode, $global_privmsgs_rules, $global_rule_condit  	$result = $db->sql_query($sql);  	$num_messages = (int) $db->sql_fetchfield('num_messages');  	$db->sql_freeresult($result); -	 +  	$folder[PRIVMSGS_INBOX] = array(  		'folder_name'		=> $user->lang['PM_INBOX'], -		'message_status'	=> $user->lang('FOLDER_MESSAGE_STATUS', (int) $user->data['message_limit'], $num_messages), +		'message_status'	=> $user->lang('FOLDER_MESSAGE_STATUS', $user->lang('MESSAGES_COUNT', (int) $user->data['message_limit']), $num_messages),  	);  	$sql = 'SELECT folder_id, folder_name, pm_count @@ -435,7 +435,7 @@ function message_options($id, $mode, $global_privmsgs_rules, $global_rule_condit  		$num_user_folder++;  		$folder[$row['folder_id']] = array(  			'folder_name'		=> $row['folder_name'], -			'message_status'	=> $user->lang('FOLDER_MESSAGE_STATUS', (int) $user->data['message_limit'], $row['pm_count']), +			'message_status'	=> $user->lang('FOLDER_MESSAGE_STATUS', $user->lang('MESSAGES_COUNT', (int) $user->data['message_limit']), (int) $row['pm_count']),  		);  	}  	$db->sql_freeresult($result); @@ -691,7 +691,7 @@ function define_rule_option($hardcoded, $rule_option, $rule_lang, $check_ary)  function define_cond_option($hardcoded, $cond_option, $rule_option, $global_rule_conditions)  {  	global $db, $template, $auth, $user; -	 +  	$template->assign_vars(array(  		'S_COND_DEFINED'	=> true,  		'S_COND_SELECT'		=> (!$hardcoded && isset($global_rule_conditions[$rule_option])) ? true : false) @@ -715,7 +715,7 @@ function define_cond_option($hardcoded, $cond_option, $rule_option, $global_rule  	{  		case 'text':  			$rule_string = utf8_normalize_nfc(request_var('rule_string', '', true)); -			 +  			$template->assign_vars(array(  				'S_TEXT_CONDITION'	=> true,  				'CURRENT_STRING'	=> $rule_string, @@ -729,7 +729,7 @@ function define_cond_option($hardcoded, $cond_option, $rule_option, $global_rule  		case 'user':  			$rule_user_id = request_var('rule_user_id', 0);  			$rule_string = utf8_normalize_nfc(request_var('rule_string', '', true)); -			 +  			if ($rule_string && !$rule_user_id)  			{  				$sql = 'SELECT user_id @@ -791,10 +791,10 @@ function define_cond_option($hardcoded, $cond_option, $rule_option, $global_rule  			{  				$sql .= 'WHERE';  			} -			 -			$sql .= " (g.group_name NOT IN ('GUESTS', 'BOTS') OR g.group_type <> " . GROUP_SPECIAL . ')	 + +			$sql .= " (g.group_name NOT IN ('GUESTS', 'BOTS') OR g.group_type <> " . GROUP_SPECIAL . ')  				ORDER BY g.group_type DESC, g.group_name ASC'; -			 +  			$result = $db->sql_query($sql);  			$s_group_options = ''; @@ -807,7 +807,7 @@ function define_cond_option($hardcoded, $cond_option, $rule_option, $global_rule  				$s_class	= ($row['group_type'] == GROUP_SPECIAL) ? ' class="sep"' : '';  				$s_selected	= ($row['group_id'] == $rule_group_id) ? ' selected="selected"' : ''; -				 +  				$s_group_options .= '<option value="' . $row['group_id'] . '"' . $s_class . $s_selected . '>' . (($row['group_type'] == GROUP_SPECIAL) ? $user->lang['G_' . $row['group_name']] : $row['group_name']) . '</option>';  			}  			$db->sql_freeresult($result); @@ -845,7 +845,7 @@ function show_defined_rules($user_id, $check_lang, $rule_lang, $action_lang, $fo  		WHERE user_id = ' . $user_id . '  		ORDER BY rule_id ASC';  	$result = $db->sql_query($sql); -	 +  	$count = 0;  	while ($row = $db->sql_fetchrow($result))  	{ diff --git a/phpBB/includes/ucp/ucp_pm_viewfolder.php b/phpBB/includes/ucp/ucp_pm_viewfolder.php index 0ea94835f2..a567283543 100644 --- a/phpBB/includes/ucp/ucp_pm_viewfolder.php +++ b/phpBB/includes/ucp/ucp_pm_viewfolder.php @@ -458,7 +458,6 @@ function get_pm_from($folder_id, $folder, $user_id)  	$pagination->generate_template_pagination($base_url, 'pagination', 'start', $pm_count, $config['topics_per_page'], $start);  	$template->assign_vars(array( -		'PAGE_NUMBER'		=> $pagination->on_page($base_url, $pm_count, $config['topics_per_page'], $start),  		'TOTAL_MESSAGES'	=> $user->lang('VIEW_PM_MESSAGES', (int) $pm_count),  		'POST_IMG'		=> (!$auth->acl_get('u_sendpm')) ? $user->img('button_topic_locked', 'POST_PM_LOCKED') : $user->img('button_pm_new', 'POST_NEW_PM'), diff --git a/phpBB/includes/ucp/ucp_pm_viewmessage.php b/phpBB/includes/ucp/ucp_pm_viewmessage.php index cebbadc7c7..364d0caf25 100644 --- a/phpBB/includes/ucp/ucp_pm_viewmessage.php +++ b/phpBB/includes/ucp/ucp_pm_viewmessage.php @@ -20,7 +20,7 @@ if (!defined('IN_PHPBB'))  */  function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  { -	global $user, $template, $auth, $db, $cache; +	global $user, $template, $auth, $db, $cache, $phpbb_container;  	global $phpbb_root_path, $request, $phpEx, $config, $phpbb_dispatcher;  	$user->add_lang(array('viewtopic', 'memberlist')); @@ -61,13 +61,9 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  	// Load the custom profile fields  	if ($config['load_cpf_pm'])  	{ -		if (!class_exists('custom_profile')) -		{ -			include($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx); -		} -		$cp = new custom_profile(); +		$cp = $phpbb_container->get('profilefields.manager'); -		$profile_fields = $cp->generate_profile_fields_template('grab', $author_id); +		$profile_fields = $cp->grab_profile_fields_data($author_id);  	}  	// Assign TO/BCC Addresses to template @@ -177,7 +173,7 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  		if (isset($profile_fields[$author_id]))  		{ -			$cp_row = $cp->generate_profile_fields_template('show', false, $profile_fields[$author_id]); +			$cp_row = $cp->generate_profile_fields_template_data($profile_fields[$author_id]);  		}  	} @@ -192,7 +188,6 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  		'AUTHOR_AVATAR'		=> (isset($user_info['avatar'])) ? $user_info['avatar'] : '',  		'AUTHOR_JOINED'		=> $user->format_date($user_info['user_regdate']),  		'AUTHOR_POSTS'		=> (int) $user_info['user_posts'], -		'AUTHOR_FROM'		=> (!empty($user_info['user_from'])) ? $user_info['user_from'] : '',  		'ONLINE_IMG'		=> (!$config['load_onlinetrack']) ? '' : ((isset($user_info['online']) && $user_info['online']) ? $user->img('icon_user_online', $user->lang['ONLINE']) : $user->img('icon_user_offline', $user->lang['OFFLINE'])),  		'S_ONLINE'			=> (!$config['load_onlinetrack']) ? false : ((isset($user_info['online']) && $user_info['online']) ? true : false), @@ -214,11 +209,6 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  		'MESSAGE_ID'		=> $message_row['msg_id'],  		'U_PM'			=> ($config['allow_privmsg'] && $auth->acl_get('u_sendpm') && ($user_info['user_allow_pm'] || $auth->acl_gets('a_', 'm_') || $auth->acl_getf_global('m_'))) ? append_sid("{$phpbb_root_path}ucp.$phpEx", 'i=pm&mode=compose&u=' . $author_id) : '', -		'U_WWW'			=> (!empty($user_info['user_website'])) ? $user_info['user_website'] : '', -		'U_ICQ'			=> ($user_info['user_icq']) ? 'http://www.icq.com/people/' . urlencode($user_info['user_icq']) . '/' : '', -		'U_AIM'			=> ($user_info['user_aim'] && $auth->acl_get('u_sendim')) ? append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=contact&action=aim&u=' . $author_id) : '', -		'U_YIM'			=> ($user_info['user_yim']) ? 'http://edit.yahoo.com/config/send_webmesg?.target=' . urlencode($user_info['user_yim']) . '&.src=pg' : '', -		'U_MSN'			=> ($user_info['user_msnm'] && $auth->acl_get('u_sendim')) ? append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=contact&action=msnm&u=' . $author_id) : '',  		'U_JABBER'		=> ($user_info['user_jabber'] && $auth->acl_get('u_sendim')) ? append_sid("{$phpbb_root_path}memberlist.$phpEx", 'mode=contact&action=jabber&u=' . $author_id) : '',  		'U_DELETE'			=> ($auth->acl_get('u_pm_delete')) ? "$url&mode=compose&action=delete&f=$folder_id&p=" . $message_row['msg_id'] : '', @@ -258,9 +248,18 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  	* @var	array	message_row	Array with message data  	* @var	array	cp_row		Array with senders custom profile field data  	* @var	array	msg_data	Template array with message data -	* @since 3.1-A1 +	* @since 3.1.0-a1  	*/ -	$vars = array('id', 'mode', 'folder_id', 'msg_id', 'folder', 'message_row', 'cp_row', 'msg_data'); +	$vars = array( +		'id', +		'mode', +		'folder_id', +		'msg_id', +		'folder', +		'message_row', +		'cp_row', +		'msg_data', +	);  	extract($phpbb_dispatcher->trigger_event('core.ucp_pm_view_messsage', compact($vars)));  	$template->assign_vars($msg_data); @@ -279,12 +278,12 @@ function view_message($id, $mode, $folder_id, $msg_id, $folder, $message_row)  	// Display not already displayed Attachments for this post, we already parsed them. ;)  	if (isset($attachments) && sizeof($attachments))  	{ -		$methods = phpbb_gen_download_links('post_msg_id', $msg_id, $phpbb_root_path, $phpEx); +		$methods = phpbb_gen_download_links('msg_id', $msg_id, $phpbb_root_path, $phpEx);  		foreach ($methods as $method)  		{  			$template->assign_block_vars('dl_method', $method);  		} -	 +  		foreach ($attachments as $attachment)  		{  			$template->assign_block_vars('attachment', array( @@ -348,13 +347,13 @@ function get_user_information($user_id, $user_row)  		}  	} -	if (!function_exists('phpbb_get_user_avatar')) +	$user_row['avatar'] = ($user->optionget('viewavatars')) ? phpbb_get_user_avatar($user_row) : ''; + +	if (!function_exists('get_user_rank'))  	{  		include($phpbb_root_path . 'includes/functions_display.' . $phpEx);  	} -	$user_row['avatar'] = ($user->optionget('viewavatars')) ? phpbb_get_user_avatar($user_row) : ''; -  	get_user_rank($user_row['user_rank'], $user_row['user_posts'], $user_row['rank_title'], $user_row['rank_image'], $user_row['rank_image_src']);  	if ((!empty($user_row['user_allow_viewemail']) && $auth->acl_get('u_sendemail')) || $auth->acl_get('a_email')) diff --git a/phpBB/includes/ucp/ucp_prefs.php b/phpBB/includes/ucp/ucp_prefs.php index e80cc2dce3..e3339c4c0b 100644 --- a/phpBB/includes/ucp/ucp_prefs.php +++ b/phpBB/includes/ucp/ucp_prefs.php @@ -64,7 +64,7 @@ class ucp_prefs  				* @var	bool	submit		Do we display the form only  				*							or did the user press submit  				* @var	array	data		Array with current ucp options data -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('submit', 'data');  				extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_personal_data', compact($vars))); @@ -113,7 +113,7 @@ class ucp_prefs  						* @event core.ucp_prefs_personal_update_data  						* @var	array	data		Submitted display options data  						* @var	array	sql_ary		Display options data we udpate -						* @since 3.1-A1 +						* @since 3.1.0-a1  						*/  						$vars = array('data', 'sql_ary');  						extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_personal_update_data', compact($vars))); @@ -243,7 +243,7 @@ class ucp_prefs  				* @var	bool	submit		Do we display the form only  				*							or did the user press submit  				* @var	array	data		Array with current ucp options data -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('submit', 'data');  				extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_view_data', compact($vars))); @@ -292,7 +292,7 @@ class ucp_prefs  						* @event core.ucp_prefs_view_update_data  						* @var	array	data		Submitted display options data  						* @var	array	sql_ary		Display options data we udpate -						* @since 3.1-A1 +						* @since 3.1.0-a1  						*/  						$vars = array('data', 'sql_ary');  						extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_view_update_data', compact($vars))); @@ -394,7 +394,7 @@ class ucp_prefs  				* @var	bool	submit		Do we display the form only  				*							or did the user press submit  				* @var	array	data		Array with current ucp options data -				* @since 3.1-A1 +				* @since 3.1.0-a1  				*/  				$vars = array('submit', 'data');  				extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_post_data', compact($vars))); @@ -418,7 +418,7 @@ class ucp_prefs  						* @event core.ucp_prefs_post_update_data  						* @var	array	data		Submitted display options data  						* @var	array	sql_ary		Display options data we udpate -						* @since 3.1-A1 +						* @since 3.1.0-a1  						*/  						$vars = array('data', 'sql_ary');  						extract($phpbb_dispatcher->trigger_event('core.ucp_prefs_post_update_data', compact($vars))); diff --git a/phpBB/includes/ucp/ucp_profile.php b/phpBB/includes/ucp/ucp_profile.php index 2252b2ea17..00b53b6576 100644 --- a/phpBB/includes/ucp/ucp_profile.php +++ b/phpBB/includes/ucp/ucp_profile.php @@ -29,8 +29,7 @@ class ucp_profile  	function main($id, $mode)  	{  		global $cache, $config, $db, $user, $auth, $template, $phpbb_root_path, $phpEx; -		global $request; -		global $phpbb_container; +		global $request, $phpbb_container;  		$user->add_lang('posting'); @@ -82,13 +81,16 @@ class ucp_profile  						$error[] = ($data['password_confirm']) ? 'NEW_PASSWORD_ERROR' : 'NEW_PASSWORD_CONFIRM_EMPTY';  					} +					// Instantiate passwords manager +					$passwords_manager = $phpbb_container->get('passwords.manager'); +  					// Only check the new password against the previous password if there have been no errors -					if (!sizeof($error) && $auth->acl_get('u_chgpasswd') && $data['new_password'] && phpbb_check_hash($data['new_password'], $user->data['user_password'])) +					if (!sizeof($error) && $auth->acl_get('u_chgpasswd') && $data['new_password'] && $passwords_manager->check($data['new_password'], $user->data['user_password']))  					{  						$error[] = 'SAME_PASSWORD_ERROR';  					} -					if (!phpbb_check_hash($data['cur_password'], $user->data['user_password'])) +					if (!$passwords_manager->check($data['cur_password'], $user->data['user_password']))  					{  						$error[] = ($data['cur_password']) ? 'CUR_PASSWORD_ERROR' : 'CUR_PASSWORD_EMPTY';  					} @@ -105,7 +107,7 @@ class ucp_profile  							'username_clean'	=> ($auth->acl_get('u_chgname') && $config['allow_namechange']) ? utf8_clean_string($data['username']) : $user->data['username_clean'],  							'user_email'		=> ($auth->acl_get('u_chgemail')) ? $data['email'] : $user->data['user_email'],  							'user_email_hash'	=> ($auth->acl_get('u_chgemail')) ? phpbb_email_hash($data['email']) : $user->data['user_email_hash'], -							'user_password'		=> ($auth->acl_get('u_chgpasswd') && $data['new_password']) ? phpbb_hash($data['new_password']) : $user->data['user_password'], +							'user_password'		=> ($auth->acl_get('u_chgpasswd') && $data['new_password']) ? $passwords_manager->hash($data['new_password']) : $user->data['user_password'],  							'user_passchg'		=> ($auth->acl_get('u_chgpasswd') && $data['new_password']) ? time() : 0,  						); @@ -114,7 +116,7 @@ class ucp_profile  							add_log('user', $user->data['user_id'], 'LOG_USER_UPDATE_NAME', $user->data['username'], $data['username']);  						} -						if ($auth->acl_get('u_chgpasswd') && $data['new_password'] && !phpbb_check_hash($data['new_password'], $user->data['user_password'])) +						if ($auth->acl_get('u_chgpasswd') && $data['new_password'] && !$passwords_manager->check($data['new_password'], $user->data['user_password']))  						{  							$user->reset_login_keys();  							add_log('user', $user->data['user_id'], 'LOG_USER_NEW_PASSWORD', $data['username']); @@ -257,22 +259,12 @@ class ucp_profile  					trigger_error('NO_AUTH_PROFILEINFO');  				} -				include($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx); - -				$cp = new custom_profile(); +				$cp = $phpbb_container->get('profilefields.manager');  				$cp_data = $cp_error = array();  				$data = array( -					'icq'			=> request_var('icq', $user->data['user_icq']), -					'aim'			=> request_var('aim', $user->data['user_aim']), -					'msn'			=> request_var('msn', $user->data['user_msnm']), -					'yim'			=> request_var('yim', $user->data['user_yim']),  					'jabber'		=> utf8_normalize_nfc(request_var('jabber', $user->data['user_jabber'], true)), -					'website'		=> request_var('website', $user->data['user_website']), -					'location'		=> utf8_normalize_nfc(request_var('location', $user->data['user_from'], true)), -					'occupation'	=> utf8_normalize_nfc(request_var('occupation', $user->data['user_occ'], true)), -					'interests'		=> utf8_normalize_nfc(request_var('interests', $user->data['user_interests'], true)),  				);  				if ($config['allow_birthdays']) @@ -295,21 +287,9 @@ class ucp_profile  				if ($submit)  				{  					$validate_array = array( -						'icq'			=> array( -							array('string', true, 3, 15), -							array('match', true, '#^[0-9]+$#i')), -						'aim'			=> array('string', true, 3, 255), -						'msn'			=> array('string', true, 5, 255),  						'jabber'		=> array(  							array('string', true, 5, 255),  							array('jabber')), -						'yim'			=> array('string', true, 5, 255), -						'website'		=> array( -							array('string', true, 12, 255), -							array('match', true, '#^http[s]?://(.*?\.)*?[a-z0-9\-]+\.[a-z]{2,4}#i')), -						'location'		=> array('string', true, 2, 100), -						'occupation'	=> array('string', true, 2, 500), -						'interests'		=> array('string', true, 2, 500),  					);  					if ($config['allow_birthdays']) @@ -349,15 +329,7 @@ class ucp_profile  						}  						$sql_ary = array( -							'user_icq'		=> $data['icq'], -							'user_aim'		=> $data['aim'], -							'user_msnm'		=> $data['msn'], -							'user_yim'		=> $data['yim'],  							'user_jabber'	=> $data['jabber'], -							'user_website'	=> $data['website'], -							'user_from'		=> $data['location'], -							'user_occ'		=> $data['occupation'], -							'user_interests'=> $data['interests'],  							'user_notify_type'	=> $data['notify'],  						); @@ -419,16 +391,7 @@ class ucp_profile  				$template->assign_vars(array(  					'ERROR'		=> (sizeof($error)) ? implode('<br />', $error) : '', - -					'ICQ'		=> $data['icq'], -					'YIM'		=> $data['yim'], -					'AIM'		=> $data['aim'], -					'MSN'		=> $data['msn'],  					'JABBER'	=> $data['jabber'], -					'WEBSITE'	=> $data['website'], -					'LOCATION'	=> $data['location'], -					'OCCUPATION'=> $data['occupation'], -					'INTERESTS'	=> $data['interests'],  				));  				// Get additional profile fields and assign them to the template block var 'profile_fields' @@ -552,10 +515,6 @@ class ucp_profile  			break;  			case 'avatar': -				if (!function_exists('phpbb_get_user_avatar')) -				{ -					include($phpbb_root_path . 'includes/functions_display.' . $phpEx); -				}  				add_form_key('ucp_avatar'); @@ -713,15 +672,14 @@ class ucp_profile  				$sql = 'SELECT key_id, last_ip, last_login  					FROM ' . SESSIONS_KEYS_TABLE . ' -					WHERE user_id = ' . (int) $user->data['user_id']; +					WHERE user_id = ' . (int) $user->data['user_id'] . ' +					ORDER BY last_login ASC';  				$result = $db->sql_query($sql);  				while ($row = $db->sql_fetchrow($result))  				{  					$template->assign_block_vars('sessions', array( -						'errors' => $error, -  						'KEY' => $row['key_id'],  						'IP' => $row['last_ip'],  						'LOGIN_TIME' => $user->format_date($row['last_login']), @@ -734,6 +692,8 @@ class ucp_profile  		}  		$template->assign_vars(array( +			'ERROR'		=> (sizeof($error)) ? implode('<br />', $error) : '', +  			'L_TITLE'	=> $user->lang['UCP_PROFILE_' . strtoupper($mode)],  			'S_HIDDEN_FIELDS'	=> $s_hidden_fields, diff --git a/phpBB/includes/ucp/ucp_register.php b/phpBB/includes/ucp/ucp_register.php index 1641c6eef1..ff51ca7b3c 100644 --- a/phpBB/includes/ucp/ucp_register.php +++ b/phpBB/includes/ucp/ucp_register.php @@ -35,8 +35,6 @@ class ucp_register  			trigger_error('UCP_REGISTER_DISABLE');  		} -		include($phpbb_root_path . 'includes/functions_profile_fields.' . $phpEx); -  		$coppa			= $request->is_set('coppa') ? (int) $request->variable('coppa', false) : false;  		$agreed			= $request->variable('agreed', false);  		$submit			= $request->is_set_post('submit'); @@ -78,7 +76,7 @@ class ucp_register  			}  		} -		$cp = new custom_profile(); +		$cp = $phpbb_container->get('profilefields.manager');  		$error = $cp_data = $cp_error = array();  		$s_hidden_fields = array(); @@ -294,9 +292,12 @@ class ucp_register  					$user_inactive_time = 0;  				} +				// Instantiate passwords manager +				$passwords_manager = $phpbb_container->get('passwords.manager'); +  				$user_row = array(  					'username'				=> $data['username'], -					'user_password'			=> phpbb_hash($data['new_password']), +					'user_password'			=> $passwords_manager->hash($data['new_password']),  					'user_email'			=> $data['email'],  					'group_id'				=> (int) $group_id,  					'user_timezone'			=> $data['tz'], diff --git a/phpBB/includes/ucp/ucp_remind.php b/phpBB/includes/ucp/ucp_remind.php index b3def63896..99e945eeae 100644 --- a/phpBB/includes/ucp/ucp_remind.php +++ b/phpBB/includes/ucp/ucp_remind.php @@ -27,7 +27,7 @@ class ucp_remind  	function main($id, $mode)  	{  		global $config, $phpbb_root_path, $phpEx; -		global $db, $user, $auth, $template; +		global $db, $user, $auth, $template, $phpbb_container;  		if (!$config['allow_password_reset'])  		{ @@ -88,8 +88,11 @@ class ucp_remind  			// For the activation key a random length between 6 and 10 will do.  			$user_actkey = gen_rand_string(mt_rand(6, 10)); +			// Instantiate passwords manager +			$passwords_manager = $phpbb_container->get('passwords.manager'); +  			$sql = 'UPDATE ' . USERS_TABLE . " -				SET user_newpasswd = '" . $db->sql_escape(phpbb_hash($user_password)) . "', user_actkey = '" . $db->sql_escape($user_actkey) . "' +				SET user_newpasswd = '" . $db->sql_escape($passwords_manager->hash($user_password)) . "', user_actkey = '" . $db->sql_escape($user_actkey) . "'  				WHERE user_id = " . $user_row['user_id'];  			$db->sql_query($sql); diff --git a/phpBB/includes/ucp/ucp_zebra.php b/phpBB/includes/ucp/ucp_zebra.php index 090f9bf34c..bf9a15027a 100644 --- a/phpBB/includes/ucp/ucp_zebra.php +++ b/phpBB/includes/ucp/ucp_zebra.php @@ -62,7 +62,7 @@ class ucp_zebra  						* @event core.ucp_remove_zebra  						* @var	string	mode		Zebra type: friends|foes  						* @var	array	user_ids	User ids we remove -						* @since 3.1-A1 +						* @since 3.1.0-a1  						*/  						$vars = array('mode', 'user_ids');  						extract($phpbb_dispatcher->trigger_event('core.ucp_remove_zebra', compact($vars))); @@ -207,7 +207,7 @@ class ucp_zebra  									*							friends|foes  									* @var	array	sql_ary		Array of  									*							entries we add -									* @since 3.1-A1 +									* @since 3.1.0-a1  									*/  									$vars = array('mode', 'sql_ary');  									extract($phpbb_dispatcher->trigger_event('core.ucp_add_zebra', compact($vars))); @@ -224,15 +224,15 @@ class ucp_zebra  							}  						}  					} -					 +  					if ($request->is_ajax())  					{  						$message = ($updated) ? $user->lang[$l_mode . '_UPDATED'] : implode('<br />', $error); -						 +  						$json_response = new \phpbb\json_response;  						$json_response->send(array(  							'success' => $updated, -							 +  							'MESSAGE_TITLE'	=> $user->lang['INFORMATION'],  							'MESSAGE_TEXT'	=> $message,  							'REFRESH_DATA'	=> array( diff --git a/phpBB/includes/utf/utf_normalizer.php b/phpBB/includes/utf/utf_normalizer.php index a208552d53..f8c9c76d4f 100644 --- a/phpBB/includes/utf/utf_normalizer.php +++ b/phpBB/includes/utf/utf_normalizer.php @@ -479,7 +479,6 @@ class utf_normalizer  					continue;  				} -  				// STEP 1: Decompose current char  				// We have found a character that is either: @@ -527,7 +526,6 @@ class utf_normalizer  					$utf_seq = array($utf_char);  				} -  				// STEP 2: Capture the starter  				// Check out the combining class of the first character of the UTF sequence @@ -683,7 +681,6 @@ class utf_normalizer  					}  				} -  				// STEP 3: Capture following combining modifiers  				while ($pos < $len) @@ -752,7 +749,6 @@ class utf_normalizer  					}  				} -  				// STEP 4: Sort and combine  				// Here we sort... @@ -991,7 +987,6 @@ class utf_normalizer  		$tmp_pos = $last_cc = $sort = $dump = 0;  		$utf_sort = array(); -  		// Main loop  		do  		{ @@ -1047,7 +1042,6 @@ class utf_normalizer  					continue;  				} -  				// STEP 1: Decide what to do with current char  				// Now, in that order: | 
