user.php 36 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874
  1. <?php
  2. /**
  3. * A framework for simple user authentication.
  4. *
  5. * Users are recorded using {username, password, token} triplets.
  6. * Whenever a user logs in successfully, his or her database
  7. * entry is assigned a new random token, which is used in
  8. * salting subsequent password checks.
  9. */
  10. $databaseConfig = parse_ini_file('databaseLocation.ini.php', true);
  11. define('USER_HOME', $databaseConfig['databaseLocation'] . '/users/');
  12. define('DATABASE_LOCATION', $databaseConfig['databaseLocation'] . '/');
  13. if(!empty($databaseConfig['timezone'])) : define('TIMEZONE', $databaseConfig['timezone']); else : define('TIMEZONE', 'America/Los_Angeles'); endif;
  14. if(!empty($databaseConfig['titleLogo'])) : define('TITLELOGO', $databaseConfig['titleLogo']); else : define('TITLELOGO', ''); endif;
  15. if(!empty($databaseConfig['loadingIcon'])) : define('LOADINGICON', $databaseConfig['loadingIcon']); else : define('LOADINGICON', ''); endif;
  16. if(!empty($databaseConfig['multipleLogin'])) : define('MULTIPLELOGIN', $databaseConfig['multipleLogin']); else : define('MULTIPLELOGIN', 'false'); endif;
  17. if(!empty($databaseConfig['enableMail'])) : define('ENABLEMAIL', $databaseConfig['enableMail']); else : define('ENABLEMAIL', 'false'); endif;
  18. if(!empty($databaseConfig['loadingScreen'])) : define('LOADINGSCREEN', $databaseConfig['loadingScreen']); else : define('LOADINGSCREEN', 'true'); endif;
  19. if(!empty($databaseConfig['slimBar'])) : define('SLIMBAR', $databaseConfig['slimBar']); else : define('SLIMBAR', 'true'); endif;
  20. if(!empty($databaseConfig['cookiePassword'])) : define('COOKIEPASSWORD', $databaseConfig['cookiePassword']); else : define('COOKIEPASSWORD', ''); endif;
  21. if(!empty($databaseConfig['registerPassword'])) : define('REGISTERPASSWORD', $databaseConfig['registerPassword']); else : define('REGISTERPASSWORD', ''); endif;
  22. if(!empty($databaseConfig['notifyEffect'])) : define('NOTIFYEFFECT', $databaseConfig['notifyEffect']); else : define('NOTIFYEFFECT', 'bar-slidetop'); endif;
  23. if(file_exists('custom.css')) : define('CUSTOMCSS', 'true'); else : define('CUSTOMCSS', 'false'); endif;
  24. $notifyExplode = explode("-", NOTIFYEFFECT);
  25. define('FAIL_LOG', 'loginLog.json');
  26. date_default_timezone_set(TIMEZONE);
  27. class User
  28. {
  29. // =======================================================================
  30. // IMPORTANT VALUES THAT YOU *NEED* TO CHANGE FOR THIS TO BE SECURE
  31. // =======================================================================
  32. // Keeping this location on ./... means that it will be publically visible to all,
  33. // and you need to use htaccess rules or some such to ensure no one
  34. // grabs your user's data.
  35. //const USER_HOME = "../users/";
  36. // In order for users to be notified by email of certain things, set this to true.
  37. // Note that the server you run this on should have sendmail in order for
  38. // notification emails to work. Also note that password resetting doesn't work
  39. // unless mail notification is turned on.
  40. const use_mail = ENABLEMAIL;
  41. // This value should point to a directory that is not available to web users.
  42. // If your documents are in ./public_html, for instance., then put database
  43. // in something like ./database - that way, you don't have to rely on
  44. // htaccess rules or the likes, because it's simply impossible to get to the
  45. // database from a public, or private, URL.
  46. //
  47. // By default it's set to the stupidly dangerous and publically accessible same
  48. // base dir as your web page. So change it, because people are going to try
  49. // to download your database file. And succeed.
  50. //const DATABASE_LOCATION = "../";
  51. // if this is set to "true", registration failure due to known usernames is reported,
  52. // and login failures are explained as either the wrong username or the wrong password.
  53. // You really want to set this to 'false', but it's on true by default because goddamnit
  54. // I'm going to confront you with security issues right off the bat =)
  55. const unsafe_reporting = false;
  56. /**
  57. Think about security for a moment. On the one hand, you want your website
  58. to not reveal whether usernames are already taken, so when people log in
  59. you will want to say "username or password incorrect". However, you also want
  60. to be able to tell people that they can't register because the username they
  61. picked is already taken.
  62. Because these are mutually exclusive, you can't do both using this framework.
  63. You can either use unsafe reporting, where the system will will tell you that
  64. a username exists, both during registration and login, or you can use safe
  65. reporting, and then the system will reject registrations based on username
  66. similarity, not exact match. But then it also won't say which of the username
  67. or password in a login attempt was incorrect.
  68. **/
  69. // =======================================================================
  70. // You can modify the following values, but they're not security related
  71. // =======================================================================
  72. // rename this to whatever you like
  73. const DATABASE_NAME = "users";
  74. // this is the session timeout. If someone hasn't performed any page requests
  75. // in [timeout] seconds, they're considered logged out.
  76. const time_out = 604800;
  77. // You'll probably want to change this to something sensible. If your site is
  78. // www.sockmonkey.com, then you want this to be "sockmonkey.com"
  79. const DOMAIN_NAME = "Organizr";
  80. // This is going to be the "from" address
  81. const MAILER_NAME = "noreply@organizr";
  82. // if you want people to be able to reply to a real address, override
  83. // this variable to "yourmail@somedomain.ext" here.
  84. const MAILER_REPLYTO = "noreply@organizr";
  85. // =======================================================================
  86. // Don't modify any variables beyond this point =)
  87. // =======================================================================
  88. // this is the global error message. If anything goes wrong, this tells you why.
  89. var $error = "";
  90. // progress log
  91. var $info_log = array();
  92. // Information logging
  93. function info($string) { $this->info_log[] = $string; }
  94. // error log
  95. var $error_log = array();
  96. // Error logging
  97. function error($string) { $this->error_log[] = $string; }
  98. // all possible values for a hexadecimal number
  99. var $hex = "0123456789abcdef";
  100. // all possible values for an ascii password, skewed a bit so the number to letter ratio is closer to 1:1
  101. var $ascii = "0a1b2c3d4e5f6g7h8i9j0k1l2m3n4o5p6q7r8s9t0u1v2w3x4y5z6A7B8C9D0E1F2G3H4I5J6K7L8M9N0O1P2Q3R4S5T6U7V8W9X0Y1Z23456789";
  102. // the regular expression for email matching (see http://www.regular-expressions.info/email.html)
  103. const emailregexp = "/[a-z0-9!#$%&'*+\/=?^_`{|}~-]+(?:\.[a-z0-9!#$%&'*+\/=?^_`{|}~-]+)*@(?:[a-z0-9](?:[a-z0-9-]*[a-z0-9])?\.)+[a-z0-9](?:[a-z0-9-]*[a-z0-9])?/";
  104. // the regular expression for SHA1 hash matching
  105. const sha1regexp = "/[0123456789abcdef]{40,40}/";
  106. // this will tell us whether the client that requested the page is authenticated or not.
  107. var $authenticated = false;
  108. // the guest user name
  109. const GUEST_USER = "guest user";
  110. // this will contain the user name for the user doing the page request
  111. var $username = User::GUEST_USER;
  112. // if this is a properly logged in user, this will contain the data directory location for this user
  113. var $userdir = false;
  114. // the user's email address, if logged in.
  115. var $email = "";
  116. // the user's role in the system
  117. var $role = "";
  118. // global database handle
  119. var $database = false;
  120. // class object constructor
  121. function __construct($registration_callback=false)
  122. {
  123. // session management comes first. Warnings are repressed with @ because it will warn if something else already called session_start()
  124. @session_start();
  125. if(!isset($_COOKIE['Organizr'])) {
  126. if (empty($_SESSION["username"]) || empty($_SESSION["token"])) $this->resetSession();
  127. }else{
  128. $_SESSION["username"] = $_COOKIE['OrganizrU'];
  129. }
  130. // file location for the user database
  131. $dbfile = DATABASE_LOCATION . User::DATABASE_NAME . ".db";
  132. // do we need to build a new database?
  133. $rebuild = false;
  134. if(!file_exists($dbfile)) { $rebuild = true;}
  135. // bind the database handler
  136. $this->database = new PDO("sqlite:" . $dbfile);
  137. // If we need to rebuild, the file will have been automatically made by the PDO call,
  138. // but we'll still need to define the user table before we can use the database.
  139. if($rebuild) { $this->rebuild_database($dbfile); }
  140. // finally, process the page request.
  141. $this->process($registration_callback);
  142. }
  143. // this function rebuilds the database if there is no database to work with yet
  144. function rebuild_database($dbfile)
  145. {
  146. $this->info("creating/rebuilding database as ".$dbfile);
  147. $this->database->beginTransaction();
  148. $create = "CREATE TABLE users (username TEXT UNIQUE, password TEXT, email TEXT UNIQUE, token TEXT, role TEXT, active TEXT, last TEXT);";
  149. $this->database->exec($create);
  150. $this->database->commit();
  151. }
  152. // process a page request
  153. function process(&$registration_callback=false)
  154. {
  155. $this->database->beginTransaction();
  156. if(isset($_POST["op"]))
  157. {
  158. $operation = $_POST["op"];
  159. // logging in or out, and dropping your registration, may change authentication status
  160. if($operation == "login") { $this->authenticated = $this->login(); }
  161. // logout and unregister will unset authentication if successful
  162. elseif($operation == "logout") { $this->authenticated = !$this->logout(); }
  163. elseif($operation == "unregister") { $this->authenticated = !$this->unregister(); }
  164. // anything else won't change authentication status.
  165. elseif($operation == "register") { $this->register($registration_callback); }
  166. elseif($operation == "update") { $this->update(); }
  167. // we only allow password resetting if we can send notification mails
  168. elseif($operation == "reset" && User::use_mail) { $this->reset_password(); }
  169. }
  170. // if the previous operations didn't authorise the current user,
  171. // see if they're already marked as authorised in the database.
  172. if(!$this->authenticated) {
  173. $username = $_SESSION["username"];
  174. if($username != User::GUEST_USER) {
  175. $this->authenticated = $this->authenticate_user($username,"");
  176. if($this->authenticated) { $this->mark_user_active($username); }}}
  177. // at this point we can make some globals available.
  178. $this->username = $_SESSION["username"];
  179. $this->userdir = ($this->username !=User::GUEST_USER? USER_HOME . $this->username : false);
  180. $this->email = $this->get_user_email($this->username);
  181. $this->role = $this->get_user_role($this->username);
  182. // clear database
  183. $this->database->commit();
  184. $this->database = null;
  185. }
  186. // ---------------------
  187. // validation passthroughs
  188. // ---------------------
  189. /**
  190. * Called when the requested POST operation is "login"
  191. */
  192. function login()
  193. {
  194. // get relevant values
  195. $username = $_POST["username"];
  196. $sha1 = $_POST["sha1"];
  197. $rememberMe = $_POST["rememberMe"];
  198. // step 1: someone could have bypassed the javascript validation, so validate again.
  199. if(!$this->validate_user_name($username)) {
  200. $this->info("<strong>log in error:</strong> user name did not pass validation");
  201. return false; }
  202. if(preg_match(User::sha1regexp, $sha1)==0) {
  203. $this->info("<strong>log in error:</strong> password did not pass validation");
  204. return false; }
  205. // step 2: if validation passed, log the user in
  206. if($rememberMe == "true") {
  207. return $this->login_user($username, $sha1, true);
  208. }else{
  209. return $this->login_user($username, $sha1, false);
  210. }
  211. }
  212. /**
  213. * Called when the requested POST operation is "logout"
  214. */
  215. function logout()
  216. {
  217. // get relevant value
  218. $username = $_POST["username"];
  219. // step 1: validate the user name.
  220. if(!$this->validate_user_name($username)) {
  221. $this->info("<strong>log in error:</strong> user name did not pass validation");
  222. return false; }
  223. // step 2: if validation passed, log the user out
  224. return $this->logout_user($username);
  225. }
  226. /**
  227. * Users should always have the option to unregister
  228. */
  229. function unregister()
  230. {
  231. // get relevant value
  232. $username = $_POST["username"];
  233. // step 1: validate the user name.
  234. if(!$this->validate_user_name($username)) {
  235. $this->info("<strong>unregistration error:</strong> user name did not pass validation");
  236. return false; }
  237. // step 2: if validation passed, drop the user from the system
  238. return $this->unregister_user($username);
  239. }
  240. /**
  241. * Called when the requested POST operation is "register"
  242. */
  243. function register(&$registration_callback=false)
  244. {
  245. // get relevant values
  246. $username = $_POST["username"];
  247. $email = $_POST["email"];
  248. $sha1 = $_POST["sha1"];
  249. $settings = $_POST["settings"];
  250. // step 1: someone could have bypassed the javascript validation, so validate again.
  251. if(!$this->validate_user_name($username)) {
  252. $this->info("<strong>registration error:</strong> user name did not pass validation");
  253. return false; }
  254. if(preg_match(User::emailregexp, $email)==0) {
  255. $this->info("<strong>registration error:</strong> email address did not pass validation");
  256. return false; }
  257. if(preg_match(User::sha1regexp, $sha1)==0) {
  258. $this->info("<strong>registration error:</strong> password did not pass validation");
  259. return false; }
  260. // step 2: if validation passed, register user
  261. $registered = $this->register_user($username, $email, $sha1, $registration_callback, $settings);
  262. if($registered && User::use_mail)
  263. {
  264. // send email notification
  265. $from = User::MAILER_NAME;
  266. $replyto = User::MAILER_REPLYTO;
  267. $domain_name = User::DOMAIN_NAME;
  268. $subject = User::DOMAIN_NAME . " registration";
  269. $body = <<<EOT
  270. Hi,
  271. this is an automated message to let you know that someone signed up at $domain_name with the user name "$username", using this email address as mailing address.
  272. Because of the way our user registration works, we have no idea which password was used to register this account (it gets one-way hashed by the browser before it is sent to our user registration system, so that we don't know your password either), so if you registered this account, hopefully you wrote your password down somewhere.
  273. However, if you ever forget your password, you can click the "I forgot my password" link in the log-in section for $domain_name and you will be sent an email containing a new, ridiculously long and complicated password that you can use to log in. You can change your password after logging in, but that's up to you. No one's going to guess it, or brute force it, but if other people can read your emails, it's generally a good idea to change passwords.
  274. If you were not the one to register this account, you can either contact us the normal way or —much easier— you can ask the system to reset the password for the account, after which you can simply log in with the temporary password and delete the account. That'll teach whoever pretended to be you not to mess with you!
  275. Of course, if you did register it yourself, welcome to $domain_name!
  276. - the $domain_name team
  277. EOT;
  278. $headers = "From: $from\r\n";
  279. $headers .= "Reply-To: $replyto\r\n";
  280. $headers .= "X-Mailer: PHP/" . phpversion();
  281. mail($email, $subject, $body, $headers);
  282. }
  283. return $registered;
  284. }
  285. /**
  286. * Called when the requested POST operation is "update"
  287. */
  288. function update()
  289. {
  290. // get relevant values
  291. @$username = trim($_POST["username"]);
  292. @$email = trim($_POST["email"]);
  293. @$sha1 = trim($_POST["sha1"]);
  294. @$role = trim($_POST["role"]);
  295. // step 1: someone could have bypassed the javascript validation, so validate again.
  296. if($email !="" && preg_match(User::emailregexp, $email)==0) {
  297. $this->info("<strong>registration error:</strong> email address did not pass validation");
  298. return false; }
  299. if($sha1 !="" && preg_match(User::sha1regexp, $sha1)==0) {
  300. $this->info("<strong>registration error:</strong> password did not pass validation");
  301. return false; }
  302. // step 2: if validation passed, update the user's information
  303. return $this->update_user($username, $email, $sha1, $role);
  304. }
  305. /**
  306. * Reset a user's password
  307. */
  308. function reset_password()
  309. {
  310. // get the email for which we should reset
  311. $email = $_POST["email"];
  312. // step 1: someone could have bypassed the javascript validation, so validate again.
  313. if(preg_match(User::emailregexp, $email)==0) {
  314. $this->info("email address did not pass validation");
  315. return false; }
  316. // step 2: if validation passed, see if there is a matching user, and reset the password if there is
  317. $newpassword = $this->random_ascii_string(64);
  318. $sha1 = sha1($newpassword);
  319. $query = "SELECT username, token FROM users WHERE email = '$email'";
  320. $username = "";
  321. $token = "";
  322. foreach($this->database->query($query) as $data) { $username = $data["username"]; $token = $data["token"]; break; }
  323. // step 2a: if there was no user to reset a password for, stop.
  324. if($username == "" || $token == "") return false;
  325. // step 2b: if there was a user to reset a password for, reset it.
  326. $dbpassword = $this->token_hash_password($username, $sha1, $token);
  327. $update = "UPDATE users SET password = '$dbpassword' WHERE email= '$email'";
  328. $this->database->exec($update);
  329. $this->info("Email has been sent with new password");
  330. // step 3: notify the user of the new password
  331. $from = User::MAILER_NAME;
  332. $replyto = User::MAILER_REPLYTO;
  333. $domain_name = User::DOMAIN_NAME;
  334. $subject = User::DOMAIN_NAME . " password reset request";
  335. $body = <<<EOT
  336. Hi,
  337. this is an automated message to let you know that someone requested a password reset for the $domain_name user account with user name "$username", which is linked to this email address.
  338. We've reset the password to the following 64 character string, so make sure to copy/paste it without any leading or trailing spaces:
  339. $newpassword
  340. If you didn't even know this account existed, now is the time to log in and delete it. How dare people use your email address to register accounts! Of course, if you did register it yourself, but you didn't request the reset, some jerk is apparently reset-spamming. We hope he gets run over by a steam shovel driven by rabid ocelots or something.
  341. Then again, it's far more likely that you did register this account, and you simply forgot the password so you asked for the reset yourself, in which case: here's your new password, and thank you for your patronage at $domain_name!
  342. - the $domain_name team
  343. EOT;
  344. $headers = "From: $from\r\n";
  345. $headers .= "Reply-To: $replyto\r\n";
  346. $headers .= "X-Mailer: PHP/" . phpversion();
  347. mail($email, $subject, $body, $headers);
  348. }
  349. // ------------------
  350. // specific functions
  351. // ------------------
  352. // session management: set session values
  353. function setSession($username, $token)
  354. {
  355. $_SESSION["username"]=$username;
  356. $_SESSION["token"]=$token;
  357. }
  358. // session management: reset session values
  359. function resetSession()
  360. {
  361. $_SESSION["username"] = User::GUEST_USER;
  362. $_SESSION["token"] = -1;
  363. unset($_COOKIE['Organizr']);
  364. setcookie('Organizr', '', time() - 3600, '/');
  365. unset($_COOKIE['OrganizrU']);
  366. setcookie('OrganizrU', '', time() - 3600, '/');
  367. unset($_COOKIE['cookiePassword']);
  368. setcookie("cookiePassword", '', time() - 3600, '/');
  369. }
  370. /**
  371. * Validate a username. Empty usernames or names
  372. * that are modified by making them SQL safe are
  373. * considered not validated.
  374. */
  375. function validate_user_name($username)
  376. {
  377. $cleaned = $this->clean_SQLite_string($username);
  378. $validated = ($cleaned != "" && $cleaned==$username);
  379. if(!$validated) { $this->error = "user name did not pass validation."; $this->error("user name did not pass validation."); }
  380. return $validated;
  381. }
  382. /**
  383. * Clean strings for SQL insertion as string in SQLite (single quote enclosed).
  384. * Note that if the cleaning changes the string, this system won't insert.
  385. * The validate_user_name() function will flag this as a validation failure and
  386. * the database operation is never carried out.
  387. */
  388. function clean_SQLite_string($string)
  389. {
  390. $search = array("'", "\\", ";");
  391. $replace = array('', '', '');
  392. return trim(str_replace($search, $replace, $string));
  393. }
  394. /**
  395. * Verify that the given username is allowed
  396. * to perform the given operation.
  397. */
  398. function authenticate_user($username, $operation)
  399. {
  400. // actually logged in?
  401. if($this->is_user_active($username)===false) { return false; }
  402. // logged in, but do the tokens match?
  403. $token = $this->get_user_token($username);
  404. if(MULTIPLELOGIN == "false"){
  405. if(isset($_COOKIE["Organizr"])){
  406. if($_COOKIE["Organizr"] == $token){
  407. return true;
  408. }else{
  409. $this->error("cookie token mismatch for $username");
  410. unset($_COOKIE['Organizr']);
  411. setcookie('Organizr', '', time() - 3600, '/');
  412. unset($_COOKIE['OrganizrU']);
  413. setcookie('OrganizrU', '', time() - 3600, '/');
  414. unset($_COOKIE['cookiePassword']);
  415. setcookie("cookiePassword", '', time() - 3600, '/');
  416. return false;
  417. }
  418. }else{
  419. if($token != $_SESSION["token"]) {
  420. $this->error("token mismatch for $username");
  421. return false;
  422. }
  423. // active, using the correct token -> authenticated
  424. return true;
  425. }
  426. }else{
  427. return true;
  428. }
  429. }
  430. /**
  431. * Unicode friendly(ish) version of strtolower
  432. * see: http://ca3.php.net/manual/en/function.strtolower.php#91805
  433. */
  434. function strtolower_utf8($string)
  435. {
  436. $convert_to = array( "a", "b", "c", "d", "e", "f", "g", "h", "i", "j", "k", "l", "m", "n", "o", "p", "q", "r", "s", "t", "u",
  437. "v", "w", "x", "y", "z", "à", "á", "â", "ã", "ä", "å", "æ", "ç", "è", "é", "ê", "ë", "ì", "í", "î", "ï",
  438. "ð", "ñ", "ò", "ó", "ô", "õ", "ö", "ø", "ù", "ú", "û", "ü", "ý", "а", "б", "в", "г", "д", "е", "ё", "ж",
  439. "з", "и", "й", "к", "л", "м", "н", "о", "п", "р", "с", "т", "у", "ф", "х", "ц", "ч", "ш", "щ", "ъ", "ы",
  440. "ь", "э", "ю", "я" );
  441. $convert_from = array( "A", "B", "C", "D", "E", "F", "G", "H", "I", "J", "K", "L", "M", "N", "O", "P", "Q", "R", "S", "T", "U",
  442. "V", "W", "X", "Y", "Z", "À", "Á", "Â", "Ã", "Ä", "Å", "Æ", "Ç", "È", "É", "Ê", "Ë", "Ì", "Í", "Î", "Ï",
  443. "Ð", "Ñ", "Ò", "Ó", "Ô", "Õ", "Ö", "Ø", "Ù", "Ú", "Û", "Ü", "Ý", "А", "Б", "В", "Г", "Д", "Е", "Ё", "Ж",
  444. "З", "И", "Й", "К", "Л", "М", "Н", "О", "П", "Р", "С", "Т", "У", "Ф", "Х", "Ц", "Ч", "Ш", "Щ", "Ъ", "Ъ",
  445. "Ь", "Э", "Ю", "Я" );
  446. return str_replace($convert_from, $convert_to, $string);
  447. }
  448. /**
  449. * This functions flattens user name strings for similarity comparison purposes
  450. */
  451. function homogenise_username($string)
  452. {
  453. // cut off trailing numbers
  454. $string = preg_replace("/\d+$/", '', $string);
  455. // and then replace non-terminal numbers with
  456. // their usual letter counterparts.
  457. $s = array("1","3","4","5","7","8","0");
  458. $r = array("i","e","a","s","t","ate","o");
  459. $string = str_replace($s, $r, $string);
  460. // finally, collapse case
  461. return $this->strtolower_utf8($string);
  462. }
  463. /**
  464. * We don't require assloads of personal information.
  465. * A username and a password are all we want. The rest
  466. * is profile information that can be set, but in no way
  467. * needs to be, in the user's profile section
  468. */
  469. function register_user($username, $email, $sha1, &$registration_callback = false, $settings)
  470. {
  471. $dbpassword = $this->token_hash_password($username, $sha1, "");
  472. if($dbpassword==$sha1) die("password hashing is not implemented.");
  473. $newRole = "admin";
  474. $queryAdmin = "SELECT username FROM users";
  475. foreach($this->database->query($queryAdmin) as $data) {
  476. $newRole = "user";
  477. }
  478. // Does user already exist? (see notes on safe reporting)
  479. if(User::unsafe_reporting) {
  480. $query = "SELECT username FROM users WHERE username LIKE '$username'";
  481. foreach($this->database->query($query) as $data) {
  482. $this->info("user account for $username not created.");
  483. $this->error = "this user name is already being used by someone else.";
  484. $this->error("this user name is already being used by someone else.");
  485. return false; }}
  486. else{ $query = "SELECT username FROM users";
  487. $usernames = array();
  488. foreach($this->database->query($query) as $data) { $usernames[] = $this->homogenise_username($data["username"]); }
  489. if(in_array($this->homogenise_username($username), $usernames)) {
  490. //$this->info("user account for $username not created.");
  491. $this->error = "<strong>$username</strong> is not allowed, because it is too similar to other user names.";
  492. $this->error("<strong>$username</strong> is not allowed, because it is too similar to other user names.");
  493. return false; }}
  494. // Is email address already in use? (see notes on safe reporting)
  495. $query = "SELECT * FROM users WHERE email = '$email'";
  496. foreach($this->database->query($query) as $data) {
  497. $this->info("user account for $username not created.");
  498. $this->error = "this email address is already in use by someone else.";
  499. $this->error("this email address is already in use by someone else.");
  500. return false; }
  501. // This user can be registered
  502. $insert = "INSERT INTO users (username, email, password, token, role, active, last) ";
  503. $insert .= "VALUES ('$username', '$email', '$dbpassword', '', '$newRole', 'false', '') ";
  504. $this->database->exec($insert);
  505. $query = "SELECT * FROM users WHERE username = '$username'";
  506. foreach($this->database->query($query) as $data) {
  507. $this->info("created user account for $username");
  508. $this->update_user_token($username, $sha1, false);
  509. // make the user's data directory
  510. $dir = USER_HOME . $username;
  511. if(!mkdir($dir, 0760, true)) { $this->error("could not make user directory $dir"); return false; }
  512. //$this->info("created user directory $dir");
  513. // if there is a callback, call it
  514. if($registration_callback !== false) { $registration_callback($username, $email, $dir); }
  515. if($settings !== "true") { $this->login_user($username, $sha1, true); }
  516. return true; }
  517. $this->error = "unknown database error occured.";
  518. $this->error("unknown database error occured.");
  519. return false;
  520. }
  521. /**
  522. * Log a user in
  523. */
  524. function login_user($username, $sha1, $remember)
  525. {
  526. function buildLog($username, $authType){
  527. if(file_exists(FAIL_LOG)) {
  528. $getFailLog = str_replace("\r\ndate", "date", file_get_contents(FAIL_LOG));
  529. $gotFailLog = json_decode($getFailLog, true);
  530. }
  531. $failLogEntryFirst = array('logType' => 'login_log', 'auth' => array(array('date' => date("Y-m-d H:i:s"), 'username' => $username, 'ip' => $_SERVER['REMOTE_ADDR'], 'auth_type' => $authType)));
  532. $failLogEntry = array('date' => date("Y-m-d H:i:s"), 'username' => $username, 'ip' => $_SERVER['REMOTE_ADDR'], 'auth_type' => $authType);
  533. if(isset($gotFailLog)) {
  534. array_push($gotFailLog["auth"], $failLogEntry);
  535. $writeFailLog = str_replace("date", "\r\ndate", json_encode($gotFailLog));
  536. }else{
  537. $writeFailLog = str_replace("date", "\r\ndate", json_encode($failLogEntryFirst));
  538. }
  539. return $writeFailLog;
  540. }
  541. // transform sha1 into real password
  542. $dbpassword = $this->token_hash_password($username, $sha1, $this->get_user_token($username));
  543. if($dbpassword==$sha1) {
  544. $this->info("password hashing is not implemented.");
  545. return false; }
  546. // perform the authentication step
  547. $query = "SELECT password FROM users WHERE username = '$username'";
  548. foreach($this->database->query($query) as $data) {
  549. if($dbpassword==$data["password"]) {
  550. // authentication passed - 1) mark active and update token
  551. $this->mark_user_active($username);
  552. $this->setSession($username, $this->update_user_token($username, $sha1, false));
  553. // authentication passed - 2) signal authenticated
  554. if($remember == "true") {
  555. setcookie("Organizr", $this->get_user_token($username), time() + (86400 * 7), "/");
  556. setcookie("OrganizrU", $username, time() + (86400 * 7), "/");
  557. }
  558. $this->info("Welcome $username");
  559. file_put_contents(FAIL_LOG, buildLog($username, "good_auth"));
  560. chmod(FAIL_LOG, 0660);
  561. setcookie("cookiePassword", COOKIEPASSWORD, time() + (86400 * 7), "/");
  562. return true;
  563. }
  564. // authentication failed
  565. //$this->info("password mismatch for $username");
  566. file_put_contents(FAIL_LOG, buildLog($username, "bad_auth"));
  567. chmod(FAIL_LOG, 0660);
  568. if(User::unsafe_reporting) { $this->error = "incorrect password for $username."; $this->error("incorrect password for $username."); }
  569. else { $this->error = "the specified username/password combination is incorrect."; $this->error("the specified username/password combination is incorrect."); }
  570. return false; }
  571. // authentication could not take place
  572. //$this->info("there was no user $username in the database");
  573. file_put_contents(FAIL_LOG, buildLog($username, "bad_auth"));
  574. chmod(FAIL_LOG, 0660);
  575. if(User::unsafe_reporting) { $this->error = "user $username is unknown."; $this->error("user $username is unknown."); }
  576. else { $this->error = "you either did not correctly input your username, or password (... or both)."; $this->error("you either did not correctly input your username, or password (... or both)."); }
  577. return false;
  578. }
  579. /**
  580. * Update a user's information
  581. */
  582. function update_user($username, $email, $sha1, $role)
  583. {
  584. if($email !="") {
  585. $update = "UPDATE users SET email = '$email' WHERE username = '$username'";
  586. $this->database->exec($update); }
  587. if($role !="") {
  588. $update = "UPDATE users SET role = '$role' WHERE username = '$username'";
  589. $this->database->exec($update); }
  590. if($sha1 !="") {
  591. $dbpassword = $this->token_hash_password($username, $sha1, $this->get_user_token($username));
  592. $update = "UPDATE users SET password = '$dbpassword' WHERE username = '$username'";
  593. $this->database->exec($update); }
  594. $this->info("updated the information for <strong>$username</strong>");
  595. }
  596. /**
  597. * Log a user out.
  598. */
  599. function logout_user($username)
  600. {
  601. $update = "UPDATE users SET active = 'false' WHERE username = '$username'";
  602. $this->database->exec($update);
  603. $this->resetSession();
  604. $this->info("Buh-Bye <strong>$username</strong>!");
  605. unset($_COOKIE['Organizr']);
  606. setcookie('Organizr', '', time() - 3600, '/');
  607. unset($_COOKIE['OrganizrU']);
  608. setcookie('OrganizrU', '', time() - 3600, '/');
  609. unset($_COOKIE['cookiePassword']);
  610. setcookie("cookiePassword", '', time() - 3600, '/');
  611. return true;
  612. }
  613. /**
  614. * Drop a user from the system
  615. */
  616. function unregister_user($username)
  617. {
  618. $delete = "DELETE FROM users WHERE username = '$username'";
  619. $this->database->exec($delete);
  620. $this->info("<strong>$username</strong> has been kicked out of Organizr");
  621. //$this->resetSession();
  622. $dir = USER_HOME . $username;
  623. if(!rmdir($dir)) { $this->error("could not delete user directory $dir"); }
  624. $this->info("and we deleted user directory $dir");
  625. return true;
  626. }
  627. /**
  628. * The incoming password will already be a sha1 print (40 bytes) long,
  629. * but for the database we want it to be hased as sha256 (using 64 bytes).
  630. */
  631. function token_hash_password($username, $sha1, $token)
  632. {
  633. return hash("sha256", $username . $sha1 . $token);
  634. }
  635. /**
  636. * Get a user's email address
  637. */
  638. function get_user_email($username)
  639. {
  640. if($username && $username !="" && $username !=User::GUEST_USER) {
  641. $query = "SELECT email FROM users WHERE username = '$username'";
  642. foreach($this->database->query($query) as $data) { return $data["email"]; }}
  643. return "";
  644. }
  645. /**
  646. * Get a user's role
  647. */
  648. function get_user_role($username)
  649. {
  650. if($username && $username !="" && $username !=User::GUEST_USER) {
  651. $query = "SELECT role FROM users WHERE username = '$username'";
  652. foreach($this->database->query($query) as $data) { return $data["role"]; }}
  653. return User::GUEST_USER;
  654. }
  655. /**
  656. * Get the user token
  657. */
  658. function get_user_token($username)
  659. {
  660. $query = "SELECT token FROM users WHERE username = '$username'";
  661. foreach($this->database->query($query) as $data) { return $data["token"]; }
  662. return false;
  663. }
  664. /**
  665. * Update the user's token and password upon successful login
  666. */
  667. function update_user_token($username, $sha1, $noMsg)
  668. {
  669. // update the user's token
  670. $token = $this->random_hex_string(32);
  671. $update = "UPDATE users SET token = '$token' WHERE username = '$username'";
  672. $this->database->exec($update);
  673. // update the user's password
  674. $newpassword = $this->token_hash_password($username, $sha1, $token);
  675. $update = "UPDATE users SET password = '$newpassword' WHERE username = '$username'";
  676. $this->database->exec($update);
  677. if($noMsg == "false"){
  678. $this->info("token and password updated for <strong>$username</strong>");
  679. }
  680. return $token;
  681. }
  682. /**
  683. * Mark a user as active.
  684. */
  685. function mark_user_active($username)
  686. {
  687. $update = "UPDATE users SET active = 'true', last = '" . time() . "' WHERE username = '$username'";
  688. $this->database->exec($update);
  689. //$this->info("$username has been marked currently active.");
  690. return true;
  691. }
  692. /**
  693. * Check if user can be considered active
  694. */
  695. function is_user_active($username)
  696. {
  697. $last = 0;
  698. $active = "false";
  699. $query = "SELECT last, active FROM users WHERE username = '$username'";
  700. foreach($this->database->query($query) as $data) {
  701. $last = intval($data["last"]);
  702. $active = $data["active"];
  703. break; }
  704. if($active=="true") {
  705. $diff = time() - $last;
  706. if($diff >= User::time_out) {
  707. $this->logout_user($username);
  708. $this->error("$username was active but timed out (timeout set at " . User::time_out . " seconds, difference was $diff seconds)");
  709. return false; }
  710. //$this->info("$username is active");
  711. return true; }
  712. $this->error("<strong>$username</strong> is not active");
  713. $this->resetSession();
  714. return false;
  715. }
  716. /**
  717. * Random hex string generator
  718. */
  719. function random_hex_string($len)
  720. {
  721. $string = "";
  722. $max = strlen($this->hex)-1;
  723. while($len-->0) { $string .= $this->hex[mt_rand(0, $max)]; }
  724. return $string;
  725. }
  726. /**
  727. * Random password string generator
  728. */
  729. function random_ascii_string($len)
  730. {
  731. $string = "";
  732. $max = strlen($this->ascii)-1;
  733. while($len-->0) { $string .= $this->ascii[mt_rand(0, $max)]; }
  734. return $string;
  735. }
  736. }
  737. ?>