PageRenderTime 50ms CodeModel.GetById 16ms RepoModel.GetById 0ms app.codeStats 1ms

/Sources/Subs-Auth.php

https://github.com/smf-portal/SMF2.1
PHP | 803 lines | 455 code | 140 blank | 208 comment | 90 complexity | 65ff076ca5e65d3cff69684d809c5c04 MD5 | raw file
  1. <?php
  2. /**
  3. * This file has functions in it to do with authentication, user handling, and the like.
  4. *
  5. * Simple Machines Forum (SMF)
  6. *
  7. * @package SMF
  8. * @author Simple Machines http://www.simplemachines.org
  9. * @copyright 2012 Simple Machines
  10. * @license http://www.simplemachines.org/about/smf/license.php BSD
  11. *
  12. * @version 2.1 Alpha 1
  13. */
  14. if (!defined('SMF'))
  15. die('Hacking attempt...');
  16. /**
  17. * Sets the SMF-style login cookie and session based on the id_member and password passed.
  18. * - password should be already encrypted with the cookie salt.
  19. * - logs the user out if id_member is zero.
  20. * - sets the cookie and session to last the number of seconds specified by cookie_length.
  21. * - when logging out, if the globalCookies setting is enabled, attempts to clear the subdomain's cookie too.
  22. *
  23. * @param int $cookie_length
  24. * @param int $id The id of the member
  25. * @param string $password = ''
  26. */
  27. function setLoginCookie($cookie_length, $id, $password = '')
  28. {
  29. global $cookiename, $boardurl, $modSettings, $sourcedir;
  30. // If changing state force them to re-address some permission caching.
  31. $_SESSION['mc']['time'] = 0;
  32. // The cookie may already exist, and have been set with different options.
  33. $cookie_state = (empty($modSettings['localCookies']) ? 0 : 1) | (empty($modSettings['globalCookies']) ? 0 : 2);
  34. if (isset($_COOKIE[$cookiename]) && preg_match('~^a:[34]:\{i:0;(i:\d{1,6}|s:[1-8]:"\d{1,8}");i:1;s:(0|40):"([a-fA-F0-9]{40})?";i:2;[id]:\d{1,14};(i:3;i:\d;)?\}$~', $_COOKIE[$cookiename]) === 1)
  35. {
  36. $array = @unserialize($_COOKIE[$cookiename]);
  37. // Out with the old, in with the new!
  38. if (isset($array[3]) && $array[3] != $cookie_state)
  39. {
  40. $cookie_url = url_parts($array[3] & 1 > 0, $array[3] & 2 > 0);
  41. smf_setcookie($cookiename, serialize(array(0, '', 0)), time() - 3600, $cookie_url[1], $cookie_url[0]);
  42. }
  43. }
  44. // Get the data and path to set it on.
  45. $data = serialize(empty($id) ? array(0, '', 0) : array($id, $password, time() + $cookie_length, $cookie_state));
  46. $cookie_url = url_parts(!empty($modSettings['localCookies']), !empty($modSettings['globalCookies']));
  47. // Set the cookie, $_COOKIE, and session variable.
  48. smf_setcookie($cookiename, $data, time() + $cookie_length, $cookie_url[1], $cookie_url[0]);
  49. // If subdomain-independent cookies are on, unset the subdomain-dependent cookie too.
  50. if (empty($id) && !empty($modSettings['globalCookies']))
  51. smf_setcookie($cookiename, $data, time() + $cookie_length, $cookie_url[1], '');
  52. // Any alias URLs? This is mainly for use with frames, etc.
  53. if (!empty($modSettings['forum_alias_urls']))
  54. {
  55. $aliases = explode(',', $modSettings['forum_alias_urls']);
  56. $temp = $boardurl;
  57. foreach ($aliases as $alias)
  58. {
  59. // Fake the $boardurl so we can set a different cookie.
  60. $alias = strtr(trim($alias), array('http://' => '', 'https://' => ''));
  61. $boardurl = 'http://' . $alias;
  62. $cookie_url = url_parts(!empty($modSettings['localCookies']), !empty($modSettings['globalCookies']));
  63. if ($cookie_url[0] == '')
  64. $cookie_url[0] = strtok($alias, '/');
  65. smf_setcookie($cookiename, $data, time() + $cookie_length, $cookie_url[1], $cookie_url[0]);
  66. }
  67. $boardurl = $temp;
  68. }
  69. $_COOKIE[$cookiename] = $data;
  70. // Make sure the user logs in with a new session ID.
  71. if (!isset($_SESSION['login_' . $cookiename]) || $_SESSION['login_' . $cookiename] !== $data)
  72. {
  73. // We need to meddle with the session.
  74. require_once($sourcedir . '/Session.php');
  75. // Backup and remove the old session.
  76. $oldSessionData = $_SESSION;
  77. $_SESSION = array();
  78. session_destroy();
  79. // Recreate and restore the new session.
  80. loadSession();
  81. // @todo should we use session_regenerate_id(true); now that we are 5.1+
  82. session_regenerate_id();
  83. $_SESSION = $oldSessionData;
  84. $_SESSION['login_' . $cookiename] = $data;
  85. }
  86. }
  87. /**
  88. * Get the domain and path for the cookie
  89. * - normally, local and global should be the localCookies and globalCookies settings, respectively.
  90. * - uses boardurl to determine these two things.
  91. *
  92. * @param bool $local
  93. * @param bool $global
  94. * @return array an array to set the cookie on with domain and path in it, in that order
  95. */
  96. function url_parts($local, $global)
  97. {
  98. global $boardurl, $modSettings;
  99. // Parse the URL with PHP to make life easier.
  100. $parsed_url = parse_url($boardurl);
  101. // Is local cookies off?
  102. if (empty($parsed_url['path']) || !$local)
  103. $parsed_url['path'] = '';
  104. if (!empty($modSettings['globalCookiesDomain']) && strpos($boardurl, $modSettings['globalCookiesDomain']) !== false)
  105. $parsed_url['host'] = $modSettings['globalCookiesDomain'];
  106. // Globalize cookies across domains (filter out IP-addresses)?
  107. elseif ($global && preg_match('~^\d{1,3}(\.\d{1,3}){3}$~', $parsed_url['host']) == 0 && preg_match('~(?:[^\.]+\.)?([^\.]{2,}\..+)\z~i', $parsed_url['host'], $parts) == 1)
  108. $parsed_url['host'] = '.' . $parts[1];
  109. // We shouldn't use a host at all if both options are off.
  110. elseif (!$local && !$global)
  111. $parsed_url['host'] = '';
  112. // The host also shouldn't be set if there aren't any dots in it.
  113. elseif (!isset($parsed_url['host']) || strpos($parsed_url['host'], '.') === false)
  114. $parsed_url['host'] = '';
  115. return array($parsed_url['host'], $parsed_url['path'] . '/');
  116. }
  117. /**
  118. * Throws guests out to the login screen when guest access is off.
  119. * - sets $_SESSION['login_url'] to $_SERVER['REQUEST_URL'].
  120. * - uses the 'kick_guest' sub template found in Login.template.php.
  121. */
  122. function KickGuest()
  123. {
  124. global $txt, $context;
  125. loadLanguage('Login');
  126. loadTemplate('Login');
  127. // Never redirect to an attachment
  128. if (strpos($_SERVER['REQUEST_URL'], 'dlattach') === false)
  129. $_SESSION['login_url'] = $_SERVER['REQUEST_URL'];
  130. $context['sub_template'] = 'kick_guest';
  131. $context['page_title'] = $txt['login'];
  132. }
  133. /**
  134. * Display a message about the forum being in maintenance mode.
  135. * - display a login screen with sub template 'maintenance'.
  136. * - sends a 503 header, so search engines don't bother indexing while we're in maintenance mode.
  137. */
  138. function InMaintenance()
  139. {
  140. global $txt, $mtitle, $mmessage, $context;
  141. loadLanguage('Login');
  142. loadTemplate('Login');
  143. // Send a 503 header, so search engines don't bother indexing while we're in maintenance mode.
  144. header('HTTP/1.1 503 Service Temporarily Unavailable');
  145. // Basic template stuff..
  146. $context['sub_template'] = 'maintenance';
  147. $context['title'] = &$mtitle;
  148. $context['description'] = &$mmessage;
  149. $context['page_title'] = $txt['maintain_mode'];
  150. }
  151. /**
  152. * Question the verity of the admin by asking for his or her password.
  153. * - loads Login.template.php and uses the admin_login sub template.
  154. * - sends data to template so the admin is sent on to the page they
  155. * wanted if their password is correct, otherwise they can try again.
  156. *
  157. * @param string $type = 'admin'
  158. */
  159. function adminLogin($type = 'admin')
  160. {
  161. global $context, $scripturl, $txt, $user_info, $user_settings;
  162. loadLanguage('Admin');
  163. loadTemplate('Login');
  164. // Validate what type of session check this is.
  165. $types = array();
  166. call_integration_hook('integrate_validateSession', array($types));
  167. $type = in_array($type, $types) || $type == 'moderate' ? $type : 'admin';
  168. // They used a wrong password, log it and unset that.
  169. if (isset($_POST[$type . '_hash_pass']) || isset($_POST[$type . '_pass']))
  170. {
  171. $txt['security_wrong'] = sprintf($txt['security_wrong'], isset($_SERVER['HTTP_REFERER']) ? $_SERVER['HTTP_REFERER'] : $txt['unknown'], $_SERVER['HTTP_USER_AGENT'], $user_info['ip']);
  172. log_error($txt['security_wrong'], 'critical');
  173. if (isset($_POST[$type . '_hash_pass']))
  174. unset($_POST[$type . '_hash_pass']);
  175. if (isset($_POST[$type . '_pass']))
  176. unset($_POST[$type . '_pass']);
  177. $context['incorrect_password'] = true;
  178. }
  179. createToken('admin-login');
  180. // Figure out the get data and post data.
  181. $context['get_data'] = '?' . construct_query_string($_GET);
  182. $context['post_data'] = '';
  183. // Now go through $_POST. Make sure the session hash is sent.
  184. $_POST[$context['session_var']] = $context['session_id'];
  185. foreach ($_POST as $k => $v)
  186. $context['post_data'] .= adminLogin_outputPostVars($k, $v);
  187. // Now we'll use the admin_login sub template of the Login template.
  188. $context['sub_template'] = 'admin_login';
  189. // And title the page something like "Login".
  190. if (!isset($context['page_title']))
  191. $context['page_title'] = $txt['login'];
  192. // The type of action.
  193. $context['sessionCheckType'] = $type;
  194. obExit();
  195. // We MUST exit at this point, because otherwise we CANNOT KNOW that the user is privileged.
  196. trigger_error('Hacking attempt...', E_USER_ERROR);
  197. }
  198. /**
  199. * Used by the adminLogin() function.
  200. * if 'value' is an array, the function is called recursively.
  201. *
  202. * @param string $k key
  203. * @param string $v value
  204. * @return string 'hidden' HTML form fields, containing key-value-pairs
  205. */
  206. function adminLogin_outputPostVars($k, $v)
  207. {
  208. global $smcFunc;
  209. if (!is_array($v))
  210. return '
  211. <input type="hidden" name="' . htmlspecialchars($k) . '" value="' . strtr($v, array('"' => '&quot;', '<' => '&lt;', '>' => '&gt;')) . '" />';
  212. else
  213. {
  214. $ret = '';
  215. foreach ($v as $k2 => $v2)
  216. $ret .= adminLogin_outputPostVars($k . '[' . $k2 . ']', $v2);
  217. return $ret;
  218. }
  219. }
  220. /**
  221. * Properly urlencodes a string to be used in a query
  222. *
  223. * @global type $scripturl
  224. * @param type $get
  225. * @return our query string
  226. */
  227. function construct_query_string($get)
  228. {
  229. global $scripturl;
  230. $query_string = '';
  231. // Awww, darn. The $scripturl contains GET stuff!
  232. $q = strpos($scripturl, '?');
  233. if ($q !== false)
  234. {
  235. parse_str(preg_replace('/&(\w+)(?=&|$)/', '&$1=', strtr(substr($scripturl, $q + 1), ';', '&')), $temp);
  236. foreach ($get as $k => $v)
  237. {
  238. // Only if it's not already in the $scripturl!
  239. if (!isset($temp[$k]))
  240. $query_string .= urlencode($k) . '=' . urlencode($v) . ';';
  241. // If it changed, put it out there, but with an ampersand.
  242. elseif ($temp[$k] != $get[$k])
  243. $query_string .= urlencode($k) . '=' . urlencode($v) . '&amp;';
  244. }
  245. }
  246. else
  247. {
  248. // Add up all the data from $_GET into get_data.
  249. foreach ($get as $k => $v)
  250. $query_string .= urlencode($k) . '=' . urlencode($v) . ';';
  251. }
  252. $query_string = substr($query_string, 0, -1);
  253. return $query_string;
  254. }
  255. /**
  256. * Finds members by email address, username, or real name.
  257. * - searches for members whose username, display name, or e-mail address match the given pattern of array names.
  258. * - searches only buddies if buddies_only is set.
  259. *
  260. * @param array $names
  261. * @param bool $use_wildcards = false, accepts wildcards ? and * in the patern if true
  262. * @param bool $buddies_only = false,
  263. * @param int $max = 500 retrieves a maximum of max members, if passed
  264. * @return array containing information about the matching members
  265. */
  266. function findMembers($names, $use_wildcards = false, $buddies_only = false, $max = 500)
  267. {
  268. global $scripturl, $user_info, $modSettings, $smcFunc;
  269. // If it's not already an array, make it one.
  270. if (!is_array($names))
  271. $names = explode(',', $names);
  272. $maybe_email = false;
  273. foreach ($names as $i => $name)
  274. {
  275. // Trim, and fix wildcards for each name.
  276. $names[$i] = trim($smcFunc['strtolower']($name));
  277. $maybe_email |= strpos($name, '@') !== false;
  278. // Make it so standard wildcards will work. (* and ?)
  279. if ($use_wildcards)
  280. $names[$i] = strtr($names[$i], array('%' => '\%', '_' => '\_', '*' => '%', '?' => '_', '\'' => '&#039;'));
  281. else
  282. $names[$i] = strtr($names[$i], array('\'' => '&#039;'));
  283. }
  284. // What are we using to compare?
  285. $comparison = $use_wildcards ? 'LIKE' : '=';
  286. // Nothing found yet.
  287. $results = array();
  288. // This ensures you can't search someones email address if you can't see it.
  289. $email_condition = allowedTo('moderate_forum') ? '' : 'hide_email = 0 AND ';
  290. if ($use_wildcards || $maybe_email)
  291. $email_condition = '
  292. OR (' . $email_condition . 'email_address ' . $comparison . ' \'' . implode( '\') OR (' . $email_condition . ' email_address ' . $comparison . ' \'', $names) . '\')';
  293. else
  294. $email_condition = '';
  295. // Get the case of the columns right - but only if we need to as things like MySQL will go slow needlessly otherwise.
  296. $member_name = $smcFunc['db_case_sensitive'] ? 'LOWER(member_name)' : 'member_name';
  297. $real_name = $smcFunc['db_case_sensitive'] ? 'LOWER(real_name)' : 'real_name';
  298. // Search by username, display name, and email address.
  299. $request = $smcFunc['db_query']('', '
  300. SELECT id_member, member_name, real_name, email_address, hide_email
  301. FROM {db_prefix}members
  302. WHERE ({raw:member_name_search}
  303. OR {raw:real_name_search} {raw:email_condition})
  304. ' . ($buddies_only ? 'AND id_member IN ({array_int:buddy_list})' : '') . '
  305. AND is_activated IN (1, 11)
  306. LIMIT {int:limit}',
  307. array(
  308. 'buddy_list' => $user_info['buddies'],
  309. 'member_name_search' => $member_name . ' ' . $comparison . ' \'' . implode( '\' OR ' . $member_name . ' ' . $comparison . ' \'', $names) . '\'',
  310. 'real_name_search' => $real_name . ' ' . $comparison . ' \'' . implode( '\' OR ' . $real_name . ' ' . $comparison . ' \'', $names) . '\'',
  311. 'email_condition' => $email_condition,
  312. 'limit' => $max,
  313. )
  314. );
  315. while ($row = $smcFunc['db_fetch_assoc']($request))
  316. {
  317. $results[$row['id_member']] = array(
  318. 'id' => $row['id_member'],
  319. 'name' => $row['real_name'],
  320. 'username' => $row['member_name'],
  321. 'email' => in_array(showEmailAddress(!empty($row['hide_email']), $row['id_member']), array('yes', 'yes_permission_override')) ? $row['email_address'] : '',
  322. 'href' => $scripturl . '?action=profile;u=' . $row['id_member'],
  323. 'link' => '<a href="' . $scripturl . '?action=profile;u=' . $row['id_member'] . '">' . $row['real_name'] . '</a>'
  324. );
  325. }
  326. $smcFunc['db_free_result']($request);
  327. // Return all the results.
  328. return $results;
  329. }
  330. /**
  331. * Called by index.php?action=findmember.
  332. * - is used as a popup for searching members.
  333. * - uses sub template find_members of the Help template.
  334. * - also used to add members for PM's sent using wap2/imode protocol.
  335. */
  336. function JSMembers()
  337. {
  338. global $context, $scripturl, $user_info, $smcFunc;
  339. checkSession('get');
  340. if (WIRELESS)
  341. $context['sub_template'] = WIRELESS_PROTOCOL . '_pm';
  342. else
  343. {
  344. // Why is this in the Help template, you ask? Well, erm... it helps you. Does that work?
  345. loadTemplate('Help');
  346. $context['template_layers'] = array();
  347. $context['sub_template'] = 'find_members';
  348. }
  349. if (isset($_REQUEST['search']))
  350. $context['last_search'] = $smcFunc['htmlspecialchars']($_REQUEST['search'], ENT_QUOTES);
  351. else
  352. $_REQUEST['start'] = 0;
  353. // Allow the user to pass the input to be added to to the box.
  354. $context['input_box_name'] = isset($_REQUEST['input']) && preg_match('~^[\w-]+$~', $_REQUEST['input']) === 1 ? $_REQUEST['input'] : 'to';
  355. // Take the delimiter over GET in case it's \n or something.
  356. $context['delimiter'] = isset($_REQUEST['delim']) ? ($_REQUEST['delim'] == 'LB' ? "\n" : $_REQUEST['delim']) : ', ';
  357. $context['quote_results'] = !empty($_REQUEST['quote']);
  358. // List all the results.
  359. $context['results'] = array();
  360. // Some buddy related settings ;)
  361. $context['show_buddies'] = !empty($user_info['buddies']);
  362. $context['buddy_search'] = isset($_REQUEST['buddies']);
  363. // If the user has done a search, well - search.
  364. if (isset($_REQUEST['search']))
  365. {
  366. $_REQUEST['search'] = $smcFunc['htmlspecialchars']($_REQUEST['search'], ENT_QUOTES);
  367. $context['results'] = findMembers(array($_REQUEST['search']), true, $context['buddy_search']);
  368. $total_results = count($context['results']);
  369. $context['page_index'] = constructPageIndex($scripturl . '?action=findmember;search=' . $context['last_search'] . ';' . $context['session_var'] . '=' . $context['session_id'] . ';input=' . $context['input_box_name'] . ($context['quote_results'] ? ';quote=1' : '') . ($context['buddy_search'] ? ';buddies' : ''), $_REQUEST['start'], $total_results, 7);
  370. // Determine the navigation context (especially useful for the wireless template).
  371. $base_url = $scripturl . '?action=findmember;search=' . urlencode($context['last_search']) . (empty($_REQUEST['u']) ? '' : ';u=' . $_REQUEST['u']) . ';' . $context['session_var'] . '=' . $context['session_id'];
  372. $context['links'] = array(
  373. 'first' => $_REQUEST['start'] >= 7 ? $base_url . ';start=0' : '',
  374. 'prev' => $_REQUEST['start'] >= 7 ? $base_url . ';start=' . ($_REQUEST['start'] - 7) : '',
  375. 'next' => $_REQUEST['start'] + 7 < $total_results ? $base_url . ';start=' . ($_REQUEST['start'] + 7) : '',
  376. 'last' => $_REQUEST['start'] + 7 < $total_results ? $base_url . ';start=' . (floor(($total_results - 1) / 7) * 7) : '',
  377. 'up' => $scripturl . '?action=pm;sa=send' . (empty($_REQUEST['u']) ? '' : ';u=' . $_REQUEST['u']),
  378. );
  379. $context['page_info'] = array(
  380. 'current_page' => $_REQUEST['start'] / 7 + 1,
  381. 'num_pages' => floor(($total_results - 1) / 7) + 1
  382. );
  383. $context['results'] = array_slice($context['results'], $_REQUEST['start'], 7);
  384. }
  385. else
  386. $context['links']['up'] = $scripturl . '?action=pm;sa=send' . (empty($_REQUEST['u']) ? '' : ';u=' . $_REQUEST['u']);
  387. }
  388. /**
  389. * Outputs each member name on its own line.
  390. * - used by javascript to find members matching the request.
  391. */
  392. function RequestMembers()
  393. {
  394. global $user_info, $txt, $smcFunc;
  395. checkSession('get');
  396. $_REQUEST['search'] = $smcFunc['htmlspecialchars']($_REQUEST['search']) . '*';
  397. $_REQUEST['search'] = trim($smcFunc['strtolower']($_REQUEST['search']));
  398. $_REQUEST['search'] = strtr($_REQUEST['search'], array('%' => '\%', '_' => '\_', '*' => '%', '?' => '_', '&#038;' => '&amp;'));
  399. if (function_exists('iconv'))
  400. header('Content-Type: text/plain; charset=UTF-8');
  401. $request = $smcFunc['db_query']('', '
  402. SELECT real_name
  403. FROM {db_prefix}members
  404. WHERE real_name LIKE {string:search}' . (isset($_REQUEST['buddies']) ? '
  405. AND id_member IN ({array_int:buddy_list})' : '') . '
  406. AND is_activated IN (1, 11)
  407. LIMIT ' . ($smcFunc['strlen']($_REQUEST['search']) <= 2 ? '100' : '800'),
  408. array(
  409. 'buddy_list' => $user_info['buddies'],
  410. 'search' => $_REQUEST['search'],
  411. )
  412. );
  413. while ($row = $smcFunc['db_fetch_assoc']($request))
  414. {
  415. if (function_exists('iconv'))
  416. {
  417. $utf8 = iconv($txt['lang_character_set'], 'UTF-8', $row['real_name']);
  418. if ($utf8)
  419. $row['real_name'] = $utf8;
  420. }
  421. $row['real_name'] = strtr($row['real_name'], array('&amp;' => '&#038;', '&lt;' => '&#060;', '&gt;' => '&#062;', '&quot;' => '&#034;'));
  422. if (preg_match('~&#\d+;~', $row['real_name']) != 0)
  423. $row['real_name'] = preg_replace_callback('~&#(\d+);~', 'fixchar__callback', $row['real_name']);
  424. echo $row['real_name'], "\n";
  425. }
  426. $smcFunc['db_free_result']($request);
  427. obExit(false);
  428. }
  429. /**
  430. * Generates a random password for a user and emails it to them.
  431. * - called by Profile.php when changing someone's username.
  432. * - checks the validity of the new username.
  433. * - generates and sets a new password for the given user.
  434. * - mails the new password to the email address of the user.
  435. * - if username is not set, only a new password is generated and sent.
  436. *
  437. * @param int $memID
  438. * @param string $username = null
  439. */
  440. function resetPassword($memID, $username = null)
  441. {
  442. global $scripturl, $context, $txt, $sourcedir, $modSettings, $smcFunc, $language;
  443. // Language... and a required file.
  444. loadLanguage('Login');
  445. require_once($sourcedir . '/Subs-Post.php');
  446. // Get some important details.
  447. $request = $smcFunc['db_query']('', '
  448. SELECT member_name, email_address, lngfile
  449. FROM {db_prefix}members
  450. WHERE id_member = {int:id_member}',
  451. array(
  452. 'id_member' => $memID,
  453. )
  454. );
  455. list ($user, $email, $lngfile) = $smcFunc['db_fetch_row']($request);
  456. $smcFunc['db_free_result']($request);
  457. if ($username !== null)
  458. {
  459. $old_user = $user;
  460. $user = trim($username);
  461. }
  462. // Generate a random password.
  463. $newPassword = substr(preg_replace('/\W/', '', md5(mt_rand())), 0, 10);
  464. $newPassword_sha1 = sha1(strtolower($user) . $newPassword);
  465. // Do some checks on the username if needed.
  466. if ($username !== null)
  467. {
  468. validateUsername($memID, $user);
  469. // Update the database...
  470. updateMemberData($memID, array('member_name' => $user, 'passwd' => $newPassword_sha1));
  471. }
  472. else
  473. updateMemberData($memID, array('passwd' => $newPassword_sha1));
  474. call_integration_hook('integrate_reset_pass', array($old_user, $user, $newPassword));
  475. $replacements = array(
  476. 'USERNAME' => $user,
  477. 'PASSWORD' => $newPassword,
  478. );
  479. $emaildata = loadEmailTemplate('change_password', $replacements, empty($lngfile) || empty($modSettings['userLanguage']) ? $language : $lngfile);
  480. // Send them the email informing them of the change - then we're done!
  481. sendmail($email, $emaildata['subject'], $emaildata['body'], null, null, false, 0);
  482. }
  483. /**
  484. * Checks a username obeys a load of rules
  485. *
  486. * @param int $memID
  487. * @param string $username
  488. * @param boolean $return_error
  489. * @param boolean $check_reserved_name
  490. * @return string Returns null if fine
  491. */
  492. function validateUsername($memID, $username, $return_error = false, $check_reserved_name = true)
  493. {
  494. global $sourcedir, $txt, $smcFunc, $user_info;
  495. $errors = array();
  496. // Don't use too long a name.
  497. if ($smcFunc['strlen']($username) > 25)
  498. $errors[] = array('lang', 'error_long_name');
  499. // No name?! How can you register with no name?
  500. if ($username == '')
  501. $errors[] = array('lang', 'need_username');
  502. // Only these characters are permitted.
  503. if (in_array($username, array('_', '|')) || preg_match('~[<>&"\'=\\\\]~', preg_replace('~&#(?:\\d{1,7}|x[0-9a-fA-F]{1,6});~', '', $username)) != 0 || strpos($username, '[code') !== false || strpos($username, '[/code') !== false)
  504. $errors[] = array('lang', 'error_invalid_characters_username');
  505. if (stristr($username, $txt['guest_title']) !== false)
  506. $errors[] = array('lang', 'username_reserved', 'general', array($txt['guest_title']));
  507. if ($check_reserved_name)
  508. {
  509. require_once($sourcedir . '/Subs-Members.php');
  510. if (isReservedName($username, $memID, false))
  511. $errors[] = array('done', '(' . htmlspecialchars($username) . ') ' . $txt['name_in_use']);
  512. }
  513. if ($return_error)
  514. return $errors;
  515. elseif (empty($errors))
  516. return null;
  517. loadLanguage('Errors');
  518. $error = $errors[0];
  519. $message = $error[0] == 'lang' ? (empty($error[3]) ? $txt[$error[1]] : vsprintf($txt[$error[1]], $error[3])) : $error[1];
  520. fatal_error($message, empty($error[2]) || $user_info['is_admin'] ? false : $error[2]);
  521. }
  522. /**
  523. * Checks whether a password meets the current forum rules
  524. * - called when registering/choosing a password.
  525. * - checks the password obeys the current forum settings for password strength.
  526. * - if password checking is enabled, will check that none of the words in restrict_in appear in the password.
  527. * - returns an error identifier if the password is invalid, or null.
  528. *
  529. * @param string $password
  530. * @param string $username
  531. * @param array $restrict_in = array()
  532. * @return string an error identifier if the password is invalid
  533. */
  534. function validatePassword($password, $username, $restrict_in = array())
  535. {
  536. global $modSettings, $smcFunc;
  537. // Perform basic requirements first.
  538. if ($smcFunc['strlen']($password) < (empty($modSettings['password_strength']) ? 4 : 8))
  539. return 'short';
  540. // Is this enough?
  541. if (empty($modSettings['password_strength']))
  542. return null;
  543. // Otherwise, perform the medium strength test - checking if password appears in the restricted string.
  544. if (preg_match('~\b' . preg_quote($password, '~') . '\b~', implode(' ', $restrict_in)) != 0)
  545. return 'restricted_words';
  546. elseif ($smcFunc['strpos']($password, $username) !== false)
  547. return 'restricted_words';
  548. // If just medium, we're done.
  549. if ($modSettings['password_strength'] == 1)
  550. return null;
  551. // Otherwise, hard test next, check for numbers and letters, uppercase too.
  552. $good = preg_match('~(\D\d|\d\D)~', $password) != 0;
  553. $good &= $smcFunc['strtolower']($password) != $password;
  554. return $good ? null : 'chars';
  555. }
  556. /**
  557. * Quickly find out what moderation authority this user has
  558. * - builds the moderator, group and board level querys for the user
  559. * - stores the information on the current users moderation powers in $user_info['mod_cache'] and $_SESSION['mc']
  560. */
  561. function rebuildModCache()
  562. {
  563. global $user_info, $smcFunc;
  564. // What groups can they moderate?
  565. $group_query = allowedTo('manage_membergroups') ? '1=1' : '0=1';
  566. if ($group_query == '0=1')
  567. {
  568. $request = $smcFunc['db_query']('', '
  569. SELECT id_group
  570. FROM {db_prefix}group_moderators
  571. WHERE id_member = {int:current_member}',
  572. array(
  573. 'current_member' => $user_info['id'],
  574. )
  575. );
  576. $groups = array();
  577. while ($row = $smcFunc['db_fetch_assoc']($request))
  578. $groups[] = $row['id_group'];
  579. $smcFunc['db_free_result']($request);
  580. if (empty($groups))
  581. $group_query = '0=1';
  582. else
  583. $group_query = 'id_group IN (' . implode(',', $groups) . ')';
  584. }
  585. // Then, same again, just the boards this time!
  586. $board_query = allowedTo('moderate_forum') ? '1=1' : '0=1';
  587. if ($board_query == '0=1')
  588. {
  589. $boards = boardsAllowedTo('moderate_board', true);
  590. if (empty($boards))
  591. $board_query = '0=1';
  592. else
  593. $board_query = 'id_board IN (' . implode(',', $boards) . ')';
  594. }
  595. // What boards are they the moderator of?
  596. $boards_mod = array();
  597. if (!$user_info['is_guest'])
  598. {
  599. $request = $smcFunc['db_query']('', '
  600. SELECT id_board
  601. FROM {db_prefix}moderators
  602. WHERE id_member = {int:current_member}',
  603. array(
  604. 'current_member' => $user_info['id'],
  605. )
  606. );
  607. while ($row = $smcFunc['db_fetch_assoc']($request))
  608. $boards_mod[] = $row['id_board'];
  609. $smcFunc['db_free_result']($request);
  610. }
  611. $mod_query = empty($boards_mod) ? '0=1' : 'b.id_board IN (' . implode(',', $boards_mod) . ')';
  612. $_SESSION['mc'] = array(
  613. 'time' => time(),
  614. // This looks a bit funny but protects against the login redirect.
  615. 'id' => $user_info['id'] && $user_info['name'] ? $user_info['id'] : 0,
  616. // If you change the format of 'gq' and/or 'bq' make sure to adjust 'can_mod' in Load.php.
  617. 'gq' => $group_query,
  618. 'bq' => $board_query,
  619. 'ap' => boardsAllowedTo('approve_posts'),
  620. 'mb' => $boards_mod,
  621. 'mq' => $mod_query,
  622. );
  623. call_integration_hook('integrate_mod_cache');
  624. $user_info['mod_cache'] = $_SESSION['mc'];
  625. // Might as well clean up some tokens while we are at it.
  626. cleanTokens();
  627. }
  628. /**
  629. * The same thing as setcookie but gives support for HTTP-Only cookies in PHP < 5.2
  630. *
  631. * @param string $name
  632. * @param string $value = ''
  633. * @param int $expire = 0
  634. * @param string $path = ''
  635. * @param string $domain = ''
  636. * @param bool $secure = false
  637. * @param bool $httponly = null
  638. */
  639. function smf_setcookie($name, $value = '', $expire = 0, $path = '', $domain = '', $secure = null, $httponly = null)
  640. {
  641. global $modSettings;
  642. // In case a customization wants to override the default settings
  643. if ($httponly === null)
  644. $httponly = !empty($modSettings['httponlyCookies']);
  645. if ($secure === null)
  646. $secure = !empty($modSettings['secureCookies']);
  647. // Intercept cookie?
  648. call_integration_hook('integrate_cookie', array($name, $value, $expire, $path, $domain, $secure, $httponly));
  649. // This function is pointless if we have PHP >= 5.2.
  650. if (version_compare(PHP_VERSION, '5.2', '>='))
  651. return setcookie($name, $value, $expire, $path, $domain, $secure, $httponly);
  652. // $httponly is the only reason I made this function. If it's not being used, use setcookie().
  653. if (!$httponly)
  654. return setcookie($name, $value, $expire, $path, $domain, $secure);
  655. // Ugh, looks like we have to resort to using a manual process.
  656. header('Set-Cookie: '.rawurlencode($name).'='.rawurlencode($value)
  657. .(empty($domain) ? '' : '; Domain='.$domain)
  658. .(empty($expire) ? '' : '; Max-Age='.$expire)
  659. .(empty($path) ? '' : '; Path='.$path)
  660. .(!$secure ? '' : '; Secure')
  661. .(!$httponly ? '' : '; HttpOnly'), false);
  662. }
  663. ?>