GitHub Access Token became invalid

It seems like the GitHub access token used for retrieving details about this repository from GitHub became invalid. This might prevent certain types of inspections from being run (in particular, everything related to pull requests).
Please ask an admin of your repository to re-new the access token on this website.
Completed
Push — develop ( 154c58...727d1c )
by Lonnie
05:36
created
myth/Auth/LocalAuthentication.php 2 patches
Doc Comments   +4 added lines, -4 removed lines patch added patch discarded remove patch
@@ -242,7 +242,7 @@  discard block
 block discarded – undo
242 242
     /**
243 243
      * Logs a user out and removes all session information.
244 244
      *
245
-     * @return mixed
245
+     * @return false|null
246 246
      */
247 247
     public function logout()
248 248
     {
@@ -608,7 +608,7 @@  discard block
 block discarded – undo
608 608
      * the passed in $email.
609 609
      *
610 610
      * @param $email
611
-     * @return mixed
611
+     * @return boolean
612 612
      */
613 613
     public function remindUser($email)
614 614
     {
@@ -653,7 +653,7 @@  discard block
 block discarded – undo
653 653
      * @param $credentials
654 654
      * @param $password
655 655
      * @param $passConfirm
656
-     * @return mixed
656
+     * @return boolean
657 657
      */
658 658
     public function resetPassword($credentials, $password, $passConfirm)
659 659
     {
@@ -751,7 +751,7 @@  discard block
 block discarded – undo
751 751
      *
752 752
      * @param $model
753 753
      * @param bool $allow_any_parent
754
-     * @return mixed
754
+     * @return LocalAuthentication
755 755
      */
756 756
     public function useModel($model, $allow_any_parent=false)
757 757
     {
Please login to merge, or discard this patch.
Indentation   +918 added lines, -918 removed lines patch added patch discarded remove patch
@@ -52,925 +52,925 @@
 block discarded – undo
52 52
  */
53 53
 class LocalAuthentication implements AuthenticateInterface {
54 54
 
55
-    protected $ci;
56
-
57
-    protected $user = null;
58
-
59
-    public $user_model = null;
60
-
61
-    public $error = null;
62
-
63
-    //--------------------------------------------------------------------
64
-
65
-    public function __construct( $ci=null )
66
-    {
67
-        if ($ci)
68
-        {
69
-            $this->ci= $ci;
70
-        }
71
-        else
72
-        {
73
-            $this->ci =& get_instance();
74
-        }
75
-
76
-        // Get our compatibility password file loaded up.
77
-        if (! function_exists('password_hash'))
78
-        {
79
-            require_once dirname(__FILE__) .'password.php';
80
-        }
81
-
82
-        if (empty($this->ci->session))
83
-        {
84
-            $this->ci->load->library('session');
85
-        }
86
-
87
-        $this->ci->config->load('auth');
88
-        $this->ci->load->model('auth/login_model');
89
-        $this->ci->load->language('auth/auth');
90
-    }
91
-
92
-    //--------------------------------------------------------------------
93
-
94
-    /**
95
-     * Attempt to log a user into the system.
96
-     *
97
-     * $credentials is an array of key/value pairs needed to log the user in.
98
-     * This is often email/password, or username/password.
99
-     *
100
-     * @param array $credentials
101
-     * @param bool  $remember
102
-     * @return bool|mixed
103
-     */
104
-    public function login($credentials, $remember=false)
105
-    {
106
-        $user = $this->validate($credentials, true);
107
-
108
-        // If the user is throttled due to too many invalid logins
109
-        // or the system is under attack, kick them back.
110
-        // We need to test for this after validation because we
111
-        // don't want it to affect a valid login.
112
-
113
-        // If throttling time is above zero, we can't allow
114
-        // logins now.
115
-        $time = (int)$this->isThrottled($user);
116
-        if ($time > 0)
117
-        {
118
-            $this->error = sprintf(lang('auth.throttled'), $time);
119
-            return false;
120
-        }
121
-
122
-        if (! $user)
123
-        {
124
-            if (empty($this->error))
125
-            {
126
-                // We need to set an error if there is no one
127
-                $this->error = lang('auth.invalid_user');
128
-            }
129
-            $this->user = null;
130
-            return $user;
131
-        }       
132
-
133
-        $this->loginUser($user);
134
-
135
-        if ($remember)
136
-        {
137
-            $this->rememberUser($user);
138
-        }
139
-
140
-        Events::trigger('didLogin', [$user]);
141
-
142
-        return true;
143
-    }
144
-
145
-    //--------------------------------------------------------------------
146
-
147
-    /**
148
-     * Validates user login information without logging them in.
149
-     *
150
-     * $credentials is an array of key/value pairs needed to log the user in.
151
-     * This is often email/password, or username/password.
152
-     *
153
-     * @param $credentials
154
-     * @param bool $return_user
155
-     * @return mixed
156
-     */
157
-    public function validate($credentials, $return_user=false)
158
-    {
159
-        // Get ip address
160
-        $ip_address = $this->ci->input->ip_address();
161
-
162
-        // We do not want to force case-sensitivity on things
163
-        // like username and email for usability sake.
164
-        if (! empty($credentials['email']))
165
-        {
166
-            $credentials['email'] = strtolower($credentials['email']);
167
-        }
168
-
169
-        // Can't validate without a password.
170
-        if (empty($credentials['password']) || count($credentials) < 2)
171
-        {
172
-            $this->ci->login_model->recordLoginAttempt($ip_address);
173
-            return null;
174
-        }
175
-
176
-        $password = $credentials['password'];
177
-        unset($credentials['password']);
178
-
179
-        // We should only be allowed 1 single other credential to
180
-        // test against.
181
-        if (count($credentials) > 1)
182
-        {
183
-            $this->error = lang('auth.too_many_credentials');
184
-            $this->ci->login_model->recordLoginAttempt($ip_address);
185
-            return false;
186
-        }
187
-
188
-        // Ensure that the fields are allowed validation fields
189
-        if (! in_array(key($credentials), config_item('auth.valid_fields')) )
190
-        {
191
-            $this->error = lang('auth.invalid_credentials');
192
-            $this->ci->login_model->recordLoginAttempt($ip_address);
193
-            return false;
194
-        }
195
-
196
-        // Can we find a user with those credentials?
197
-        $user = $this->user_model->as_array()
198
-                                 ->where($credentials)
199
-                                 ->first();
200
-
201
-        if (! $user)
202
-        {
203
-            $this->error = lang('auth.invalid_user');
204
-            $this->ci->login_model->recordLoginAttempt($ip_address);
205
-            return false;
206
-        }
207
-
208
-        // Now, try matching the passwords.
209
-        $result =  password_verify($password, $user['password_hash']);
210
-
211
-        if (! $result)
212
-        {
213
-            $this->error = lang('auth.invalid_password');
214
-            $this->ci->login_model->recordLoginAttempt($ip_address, $user['id']);
215
-            return false;
216
-        }
217
-
218
-        // Check to see if the password needs to be rehashed.
219
-        // This would be due to the hash algorithm or hash
220
-        // cost changing since the last time that a user
221
-        // logged in.
222
-        if (password_needs_rehash($user['password_hash'], PASSWORD_DEFAULT, ['cost' => config_item('auth.hash_cost')] ))
223
-        {
224
-            $new_hash = Password::hashPassword($password);
225
-            $this->user_model->skip_validation()
226
-                             ->update($user['id'], ['password_hash' => $new_hash]);
227
-            unset($new_hash);
228
-        }
229
-
230
-        // Is the user active?
231
-        if (! $user['active'])
232
-        {
233
-            $this->error = lang('auth.inactive_account');
234
-            return false;
235
-        }
236
-
237
-        return $return_user ? $user : true;
238
-    }
239
-
240
-    //--------------------------------------------------------------------
241
-
242
-    /**
243
-     * Logs a user out and removes all session information.
244
-     *
245
-     * @return mixed
246
-     */
247
-    public function logout()
248
-    {
249
-        $this->ci->load->helper('cookie');
250
-
251
-        if (! Events::trigger('beforeLogout', [$this->user]))
252
-        {
253
-            return false;
254
-        }
255
-
256
-        // Destroy the session data - but ensure a session is still
257
-        // available for flash messages, etc.
258
-        if (isset($_SESSION))
259
-        {
260
-            foreach ( $_SESSION as $key => $value )
261
-            {
262
-                $_SESSION[ $key ] = NULL;
263
-                unset( $_SESSION[ $key ] );
264
-            }
265
-        }
266
-        // Also, regenerate the session ID for a touch of added safety.
267
-        $this->ci->session->sess_regenerate(true);
268
-
269
-        // Take care of any rememberme functionality.
270
-        if (config_item('auth.allow_remembering'))
271
-        {
272
-            $token = get_cookie('remember');
273
-
274
-            $this->invalidateRememberCookie($this->user['email'], $token);
275
-        }
276
-    }
277
-
278
-    //--------------------------------------------------------------------
279
-
280
-    /**
281
-     * Checks whether a user is logged in or not.
282
-     *
283
-     * @return bool
284
-     */
285
-    public function isLoggedIn()
286
-    {
287
-        $id = $this->ci->session->userdata('logged_in');
288
-
289
-        if (! $id)
290
-        {
291
-            return false;
292
-        }
293
-
294
-        // If the user var hasn't been filled in, we need to fill it in,
295
-        // since this method will typically be used as the only method
296
-        // to determine whether a user is logged in or not.
297
-        if (! $this->user)
298
-        {
299
-            $this->user = $this->user_model->as_array()
300
-                                           ->find_by('id', (int)$id);
301
-
302
-            if (empty($this->user))
303
-            {
304
-                return false;
305
-            }
306
-        }
307
-
308
-        // If logged in, ensure cache control
309
-        // headers are in place
310
-        $this->setHeaders();
311
-
312
-        return true;
313
-    }
314
-
315
-    //--------------------------------------------------------------------
316
-
317
-    /**
318
-     * Attempts to log a user in based on the "remember me" cookie.
319
-     *
320
-     * @return bool
321
-     */
322
-    public function viaRemember()
323
-    {
324
-        if (! config_item('auth.allow_remembering'))
325
-        {
326
-            return false;
327
-        }
328
-
329
-        $this->ci->load->helper('cookie');
330
-
331
-        if (! $token = get_cookie('remember'))
332
-        {
333
-            return false;
334
-        }
335
-
336
-        // Attempt to match the token against our auth_tokens table.
337
-        $query = $this->ci->db->where('hash', $this->ci->login_model->hashRememberToken($token))
338
-                              ->get('auth_tokens');
339
-
340
-        if (! $query->num_rows())
341
-        {
342
-            return false;
343
-        }
344
-
345
-        // Grab the user
346
-        $email = $query->row()->email;
347
-
348
-        $user = $this->user_model->as_array()
349
-                                 ->find_by('email', $email);
350
-
351
-        $this->loginUser($user);
352
-
353
-        // We only want our remember me tokens to be valid
354
-        // for a single use.
355
-        $this->refreshRememberCookie($user, $token);
356
-
357
-        return true;
358
-    }
359
-
360
-    //--------------------------------------------------------------------
361
-
362
-    /**
363
-     * Registers a new user and handles activation method.
364
-     *
365
-     * @param $user_data
366
-     * @return bool
367
-     */
368
-    public function registerUser($user_data)
369
-    {
370
-        // Anything special needed for Activation?
371
-        $method = config_item('auth.activation_method');
372
-
373
-        $user_data['active'] = $method == 'auto' ? 1 : 0;
374
-
375
-        // If via email, we need to generate a hash
376
-        $this->ci->load->helper('string');
377
-        $token = random_string('alnum', 24);
378
-        $user_data['activate_hash'] = hash('sha1', config_item('auth.salt') . $token);
379
-
380
-        // Email should NOT be case sensitive.
381
-        if (! empty($user_data['email']))
382
-        {
383
-            $user_data['email'] = strtolower($user_data['email']);
384
-        }
385
-
386
-        // Save the user
387
-        if (! $id = $this->user_model->insert($user_data))
388
-        {
389
-            $this->error = $this->user_model->error();
390
-            return false;
391
-        }
392
-
393
-        $data = [
394
-            'user_id' => $id,
395
-            'email'   => $user_data['email'],
396
-            'token'   => $token,
397
-            'method'  => $method
398
-        ];
399
-
400
-        Events::trigger('didRegisterUser', [$data]);
401
-
402
-        return true;
403
-    }
404
-
405
-    //--------------------------------------------------------------------
406
-
407
-    /**
408
-     * Used to verify the user values and activate a user so they can
409
-     * visit the site.
410
-     *
411
-     * @param $data
412
-     * @return bool
413
-     */
414
-    public function activateUser($data)
415
-    {
416
-        $post = [
417
-            'email'         => $data['email'],
418
-            'activate_hash' => hash('sha1', config_item('auth.salt') . $data['code'])
419
-        ];
420
-
421
-        $user = $this->user_model->where($post)
422
-                                 ->first();
423
-
424
-        if (! $user) {
425
-            $this->error = $this->user_model->error() ? $this->user_model->error() : lang('auth.activate_no_user');
426
-
427
-            return false;
428
-        }
429
-
430
-        if (! $this->user_model->update($user->id, ['active' => 1, 'activate_hash' => null]))
431
-        {
432
-            $this->error = $this->user_model->error();
433
-            return false;
434
-        }
435
-
436
-        Events::trigger('didActivate', [(array)$user]);
437
-
438
-        return true;
439
-    }
440
-
441
-    //--------------------------------------------------------------------
442
-
443
-    /**
444
-     * Used to allow manual activation of a user with a known ID.
445
-     *
446
-     * @param $id
447
-     * @return bool
448
-     */
449
-    public function activateUserById($id)
450
-    {
451
-        if (! $this->user_model->update($id, ['active' => 1, 'activate_hash' => null]))
452
-        {
453
-            $this->error = $this->user_model->error();
454
-            return false;
455
-        }
456
-
457
-        Events::trigger('didActivate', [$this->user_model->as_array()->find($id)]);
458
-
459
-        return true;
460
-    }
461
-
462
-    //--------------------------------------------------------------------
463
-
464
-    /**
465
-     * Grabs the current user object. Returns NULL if nothing found.
466
-     *
467
-     * @return array|null
468
-     */
469
-    public function user()
470
-    {
471
-        return $this->user;
472
-    }
473
-
474
-    //--------------------------------------------------------------------
475
-
476
-    /**
477
-     * A convenience method to grab the current user's ID.
478
-     *
479
-     * @return int|null
480
-     */
481
-    public function id()
482
-    {
483
-        if (! is_array($this->user) || empty($this->user['id']))
484
-        {
485
-            return null;
486
-        }
487
-
488
-        return (int)$this->user['id'];
489
-    }
490
-
491
-    //--------------------------------------------------------------------
492
-
493
-    /**
494
-     * Checks to see if the user is currently being throttled.
495
-     *
496
-     *  - If they are NOT, will return FALSE.
497
-     *  - If they ARE, will return the number of seconds until they can try again.
498
-     *
499
-     * @param $user
500
-     * @return mixed
501
-     */
502
-    public function isThrottled($user)
503
-    {
504
-        // Not throttling? Get outta here!
505
-        if (! config_item('auth.allow_throttling'))
506
-        {
507
-            return false;
508
-        }
509
-
510
-        // Get user_id
511
-        $user_id = $user ? $user['id'] : null;
55
+	protected $ci;
56
+
57
+	protected $user = null;
58
+
59
+	public $user_model = null;
60
+
61
+	public $error = null;
62
+
63
+	//--------------------------------------------------------------------
64
+
65
+	public function __construct( $ci=null )
66
+	{
67
+		if ($ci)
68
+		{
69
+			$this->ci= $ci;
70
+		}
71
+		else
72
+		{
73
+			$this->ci =& get_instance();
74
+		}
75
+
76
+		// Get our compatibility password file loaded up.
77
+		if (! function_exists('password_hash'))
78
+		{
79
+			require_once dirname(__FILE__) .'password.php';
80
+		}
81
+
82
+		if (empty($this->ci->session))
83
+		{
84
+			$this->ci->load->library('session');
85
+		}
86
+
87
+		$this->ci->config->load('auth');
88
+		$this->ci->load->model('auth/login_model');
89
+		$this->ci->load->language('auth/auth');
90
+	}
91
+
92
+	//--------------------------------------------------------------------
93
+
94
+	/**
95
+	 * Attempt to log a user into the system.
96
+	 *
97
+	 * $credentials is an array of key/value pairs needed to log the user in.
98
+	 * This is often email/password, or username/password.
99
+	 *
100
+	 * @param array $credentials
101
+	 * @param bool  $remember
102
+	 * @return bool|mixed
103
+	 */
104
+	public function login($credentials, $remember=false)
105
+	{
106
+		$user = $this->validate($credentials, true);
107
+
108
+		// If the user is throttled due to too many invalid logins
109
+		// or the system is under attack, kick them back.
110
+		// We need to test for this after validation because we
111
+		// don't want it to affect a valid login.
112
+
113
+		// If throttling time is above zero, we can't allow
114
+		// logins now.
115
+		$time = (int)$this->isThrottled($user);
116
+		if ($time > 0)
117
+		{
118
+			$this->error = sprintf(lang('auth.throttled'), $time);
119
+			return false;
120
+		}
121
+
122
+		if (! $user)
123
+		{
124
+			if (empty($this->error))
125
+			{
126
+				// We need to set an error if there is no one
127
+				$this->error = lang('auth.invalid_user');
128
+			}
129
+			$this->user = null;
130
+			return $user;
131
+		}       
132
+
133
+		$this->loginUser($user);
134
+
135
+		if ($remember)
136
+		{
137
+			$this->rememberUser($user);
138
+		}
139
+
140
+		Events::trigger('didLogin', [$user]);
141
+
142
+		return true;
143
+	}
144
+
145
+	//--------------------------------------------------------------------
146
+
147
+	/**
148
+	 * Validates user login information without logging them in.
149
+	 *
150
+	 * $credentials is an array of key/value pairs needed to log the user in.
151
+	 * This is often email/password, or username/password.
152
+	 *
153
+	 * @param $credentials
154
+	 * @param bool $return_user
155
+	 * @return mixed
156
+	 */
157
+	public function validate($credentials, $return_user=false)
158
+	{
159
+		// Get ip address
160
+		$ip_address = $this->ci->input->ip_address();
161
+
162
+		// We do not want to force case-sensitivity on things
163
+		// like username and email for usability sake.
164
+		if (! empty($credentials['email']))
165
+		{
166
+			$credentials['email'] = strtolower($credentials['email']);
167
+		}
168
+
169
+		// Can't validate without a password.
170
+		if (empty($credentials['password']) || count($credentials) < 2)
171
+		{
172
+			$this->ci->login_model->recordLoginAttempt($ip_address);
173
+			return null;
174
+		}
175
+
176
+		$password = $credentials['password'];
177
+		unset($credentials['password']);
178
+
179
+		// We should only be allowed 1 single other credential to
180
+		// test against.
181
+		if (count($credentials) > 1)
182
+		{
183
+			$this->error = lang('auth.too_many_credentials');
184
+			$this->ci->login_model->recordLoginAttempt($ip_address);
185
+			return false;
186
+		}
187
+
188
+		// Ensure that the fields are allowed validation fields
189
+		if (! in_array(key($credentials), config_item('auth.valid_fields')) )
190
+		{
191
+			$this->error = lang('auth.invalid_credentials');
192
+			$this->ci->login_model->recordLoginAttempt($ip_address);
193
+			return false;
194
+		}
195
+
196
+		// Can we find a user with those credentials?
197
+		$user = $this->user_model->as_array()
198
+								 ->where($credentials)
199
+								 ->first();
200
+
201
+		if (! $user)
202
+		{
203
+			$this->error = lang('auth.invalid_user');
204
+			$this->ci->login_model->recordLoginAttempt($ip_address);
205
+			return false;
206
+		}
207
+
208
+		// Now, try matching the passwords.
209
+		$result =  password_verify($password, $user['password_hash']);
210
+
211
+		if (! $result)
212
+		{
213
+			$this->error = lang('auth.invalid_password');
214
+			$this->ci->login_model->recordLoginAttempt($ip_address, $user['id']);
215
+			return false;
216
+		}
217
+
218
+		// Check to see if the password needs to be rehashed.
219
+		// This would be due to the hash algorithm or hash
220
+		// cost changing since the last time that a user
221
+		// logged in.
222
+		if (password_needs_rehash($user['password_hash'], PASSWORD_DEFAULT, ['cost' => config_item('auth.hash_cost')] ))
223
+		{
224
+			$new_hash = Password::hashPassword($password);
225
+			$this->user_model->skip_validation()
226
+							 ->update($user['id'], ['password_hash' => $new_hash]);
227
+			unset($new_hash);
228
+		}
229
+
230
+		// Is the user active?
231
+		if (! $user['active'])
232
+		{
233
+			$this->error = lang('auth.inactive_account');
234
+			return false;
235
+		}
236
+
237
+		return $return_user ? $user : true;
238
+	}
239
+
240
+	//--------------------------------------------------------------------
241
+
242
+	/**
243
+	 * Logs a user out and removes all session information.
244
+	 *
245
+	 * @return mixed
246
+	 */
247
+	public function logout()
248
+	{
249
+		$this->ci->load->helper('cookie');
250
+
251
+		if (! Events::trigger('beforeLogout', [$this->user]))
252
+		{
253
+			return false;
254
+		}
255
+
256
+		// Destroy the session data - but ensure a session is still
257
+		// available for flash messages, etc.
258
+		if (isset($_SESSION))
259
+		{
260
+			foreach ( $_SESSION as $key => $value )
261
+			{
262
+				$_SESSION[ $key ] = NULL;
263
+				unset( $_SESSION[ $key ] );
264
+			}
265
+		}
266
+		// Also, regenerate the session ID for a touch of added safety.
267
+		$this->ci->session->sess_regenerate(true);
268
+
269
+		// Take care of any rememberme functionality.
270
+		if (config_item('auth.allow_remembering'))
271
+		{
272
+			$token = get_cookie('remember');
273
+
274
+			$this->invalidateRememberCookie($this->user['email'], $token);
275
+		}
276
+	}
277
+
278
+	//--------------------------------------------------------------------
279
+
280
+	/**
281
+	 * Checks whether a user is logged in or not.
282
+	 *
283
+	 * @return bool
284
+	 */
285
+	public function isLoggedIn()
286
+	{
287
+		$id = $this->ci->session->userdata('logged_in');
288
+
289
+		if (! $id)
290
+		{
291
+			return false;
292
+		}
293
+
294
+		// If the user var hasn't been filled in, we need to fill it in,
295
+		// since this method will typically be used as the only method
296
+		// to determine whether a user is logged in or not.
297
+		if (! $this->user)
298
+		{
299
+			$this->user = $this->user_model->as_array()
300
+										   ->find_by('id', (int)$id);
301
+
302
+			if (empty($this->user))
303
+			{
304
+				return false;
305
+			}
306
+		}
307
+
308
+		// If logged in, ensure cache control
309
+		// headers are in place
310
+		$this->setHeaders();
311
+
312
+		return true;
313
+	}
314
+
315
+	//--------------------------------------------------------------------
316
+
317
+	/**
318
+	 * Attempts to log a user in based on the "remember me" cookie.
319
+	 *
320
+	 * @return bool
321
+	 */
322
+	public function viaRemember()
323
+	{
324
+		if (! config_item('auth.allow_remembering'))
325
+		{
326
+			return false;
327
+		}
328
+
329
+		$this->ci->load->helper('cookie');
330
+
331
+		if (! $token = get_cookie('remember'))
332
+		{
333
+			return false;
334
+		}
335
+
336
+		// Attempt to match the token against our auth_tokens table.
337
+		$query = $this->ci->db->where('hash', $this->ci->login_model->hashRememberToken($token))
338
+							  ->get('auth_tokens');
339
+
340
+		if (! $query->num_rows())
341
+		{
342
+			return false;
343
+		}
344
+
345
+		// Grab the user
346
+		$email = $query->row()->email;
347
+
348
+		$user = $this->user_model->as_array()
349
+								 ->find_by('email', $email);
350
+
351
+		$this->loginUser($user);
352
+
353
+		// We only want our remember me tokens to be valid
354
+		// for a single use.
355
+		$this->refreshRememberCookie($user, $token);
356
+
357
+		return true;
358
+	}
359
+
360
+	//--------------------------------------------------------------------
361
+
362
+	/**
363
+	 * Registers a new user and handles activation method.
364
+	 *
365
+	 * @param $user_data
366
+	 * @return bool
367
+	 */
368
+	public function registerUser($user_data)
369
+	{
370
+		// Anything special needed for Activation?
371
+		$method = config_item('auth.activation_method');
372
+
373
+		$user_data['active'] = $method == 'auto' ? 1 : 0;
374
+
375
+		// If via email, we need to generate a hash
376
+		$this->ci->load->helper('string');
377
+		$token = random_string('alnum', 24);
378
+		$user_data['activate_hash'] = hash('sha1', config_item('auth.salt') . $token);
379
+
380
+		// Email should NOT be case sensitive.
381
+		if (! empty($user_data['email']))
382
+		{
383
+			$user_data['email'] = strtolower($user_data['email']);
384
+		}
385
+
386
+		// Save the user
387
+		if (! $id = $this->user_model->insert($user_data))
388
+		{
389
+			$this->error = $this->user_model->error();
390
+			return false;
391
+		}
392
+
393
+		$data = [
394
+			'user_id' => $id,
395
+			'email'   => $user_data['email'],
396
+			'token'   => $token,
397
+			'method'  => $method
398
+		];
399
+
400
+		Events::trigger('didRegisterUser', [$data]);
401
+
402
+		return true;
403
+	}
404
+
405
+	//--------------------------------------------------------------------
406
+
407
+	/**
408
+	 * Used to verify the user values and activate a user so they can
409
+	 * visit the site.
410
+	 *
411
+	 * @param $data
412
+	 * @return bool
413
+	 */
414
+	public function activateUser($data)
415
+	{
416
+		$post = [
417
+			'email'         => $data['email'],
418
+			'activate_hash' => hash('sha1', config_item('auth.salt') . $data['code'])
419
+		];
420
+
421
+		$user = $this->user_model->where($post)
422
+								 ->first();
423
+
424
+		if (! $user) {
425
+			$this->error = $this->user_model->error() ? $this->user_model->error() : lang('auth.activate_no_user');
426
+
427
+			return false;
428
+		}
429
+
430
+		if (! $this->user_model->update($user->id, ['active' => 1, 'activate_hash' => null]))
431
+		{
432
+			$this->error = $this->user_model->error();
433
+			return false;
434
+		}
435
+
436
+		Events::trigger('didActivate', [(array)$user]);
437
+
438
+		return true;
439
+	}
440
+
441
+	//--------------------------------------------------------------------
442
+
443
+	/**
444
+	 * Used to allow manual activation of a user with a known ID.
445
+	 *
446
+	 * @param $id
447
+	 * @return bool
448
+	 */
449
+	public function activateUserById($id)
450
+	{
451
+		if (! $this->user_model->update($id, ['active' => 1, 'activate_hash' => null]))
452
+		{
453
+			$this->error = $this->user_model->error();
454
+			return false;
455
+		}
456
+
457
+		Events::trigger('didActivate', [$this->user_model->as_array()->find($id)]);
458
+
459
+		return true;
460
+	}
461
+
462
+	//--------------------------------------------------------------------
463
+
464
+	/**
465
+	 * Grabs the current user object. Returns NULL if nothing found.
466
+	 *
467
+	 * @return array|null
468
+	 */
469
+	public function user()
470
+	{
471
+		return $this->user;
472
+	}
473
+
474
+	//--------------------------------------------------------------------
475
+
476
+	/**
477
+	 * A convenience method to grab the current user's ID.
478
+	 *
479
+	 * @return int|null
480
+	 */
481
+	public function id()
482
+	{
483
+		if (! is_array($this->user) || empty($this->user['id']))
484
+		{
485
+			return null;
486
+		}
487
+
488
+		return (int)$this->user['id'];
489
+	}
490
+
491
+	//--------------------------------------------------------------------
492
+
493
+	/**
494
+	 * Checks to see if the user is currently being throttled.
495
+	 *
496
+	 *  - If they are NOT, will return FALSE.
497
+	 *  - If they ARE, will return the number of seconds until they can try again.
498
+	 *
499
+	 * @param $user
500
+	 * @return mixed
501
+	 */
502
+	public function isThrottled($user)
503
+	{
504
+		// Not throttling? Get outta here!
505
+		if (! config_item('auth.allow_throttling'))
506
+		{
507
+			return false;
508
+		}
509
+
510
+		// Get user_id
511
+		$user_id = $user ? $user['id'] : null;
512 512
         
513
-        // Get ip address
514
-        $ip_address = $this->ci->input->ip_address();
515
-
516
-        // Have any attempts been made?
517
-        $attempts = $this->ci->login_model->countLoginAttempts($ip_address, $user_id);
518
-
519
-        // Grab the amount of time to add if the system thinks we're
520
-        // under a distributed brute force attack.
521
-        // Affect users that have at least 1 failure login attempt
522
-        $dbrute_time = ($attempts === 0) ? 0 : $this->ci->login_model->distributedBruteForceTime();
523
-
524
-        // If this user was found to possibly be under a brute
525
-        // force attack, their account would have been banned
526
-        // for 15 minutes.
527
-        if ($time = isset($_SESSION['bruteBan']) ? $_SESSION['bruteBan'] : false)
528
-        {
529
-            // If the current time is less than the
530
-            // the ban expiration, plus any distributed time
531
-            // then the user can't login just yet.
532
-            if ($time + $dbrute_time > time())
533
-            {
534
-                // The user is banned still...
535
-                $this->error = lang('auth.bruteBan_notice');
536
-                return ($time + $dbrute_time) - time();
537
-            }
538
-
539
-            // Still here? The the ban time is over...
540
-            unset($_SESSION['bruteBan']);
541
-        }
542
-
543
-        // Grab the time of last attempt and
544
-        // determine if we're throttled by amount of time passed.
545
-        $last_time = $this->ci->login_model->lastLoginAttemptTime($ip_address, $user_id);
546
-
547
-        $allowed = config_item('auth.allowed_login_attempts');
548
-
549
-        // We're not throttling if there are 0 attempts or
550
-        // the number is less than or equal to the allowed free attempts
551
-        if ($attempts === 0 || $attempts <= $allowed)
552
-        {
553
-            // Before we can say there's nothing up here,
554
-            // we need to check dbrute time.
555
-            $time_left = $last_time + $dbrute_time - time();
556
-
557
-            if ($time_left > 0)
558
-            {
559
-                return $time_left;
560
-            }
561
-
562
-            return false;
563
-        }
564
-
565
-        // If the number of attempts is excessive (above 100) we need
566
-        // to check the elapsed time of all of these attacks. If they are
567
-        // less than 1 minute it's obvious this is a brute force attack,
568
-        // so we'll set a session flag and block that user for 15 minutes.
569
-        if ($attempts > 100 && $this->ci->login_model->isBruteForced($ip_address, $user_id))
570
-        {
571
-            $this->error = lang('auth.bruteBan_notice');
572
-
573
-            $ban_time = 60 * 15;    // 15 minutes
574
-            $_SESSION['bruteBan'] = time() + $ban_time;
575
-            return $ban_time;
576
-        }
577
-
578
-        // Get our allowed attempts out of the picture.
579
-        $attempts = $attempts - $allowed;
580
-
581
-        $max_time = config_item('auth.max_throttle_time');
582
-
583
-        $add_time = 5 * pow(2, $attempts - 1);
584
-
585
-        if ($add_time > $max_time)
586
-        {
587
-            $add_time = $max_time;
588
-        }
589
-
590
-        $next_time = $last_time + $add_time + $dbrute_time;
591
-
592
-        $current = time();
593
-
594
-        // We are NOT throttled if we are already
595
-        // past the allowed time.
596
-        if ($current > $next_time)
597
-        {
598
-            return false;
599
-        }
600
-
601
-        return $next_time - $current;
602
-    }
603
-
604
-    //--------------------------------------------------------------------
605
-
606
-    /**
607
-     * Sends a password reset link email to the user associated with
608
-     * the passed in $email.
609
-     *
610
-     * @param $email
611
-     * @return mixed
612
-     */
613
-    public function remindUser($email)
614
-    {
615
-        // Emails should NOT be case sensitive.
616
-        $email = strtolower($email);
617
-
618
-        // Is it a valid user?
619
-        $user = $this->user_model->find_by('email', $email);
620
-
621
-        if (! $user)
622
-        {
623
-            $this->error = lang('auth.invalid_email');
624
-            return false;
625
-        }
626
-
627
-        // Generate/store our codes
628
-        $this->ci->load->helper('string');
629
-        $token = random_string('alnum', 24);
630
-        $hash = hash('sha1', config_item('auth.salt') .$token);
631
-
632
-        $result = $this->user_model->update($user->id, ['reset_hash' => $hash]);
633
-
634
-        if (! $result)
635
-        {
636
-            $this->error = $this->user_model->error();
637
-            return false;
638
-        }
639
-
640
-        Events::trigger('didRemindUser', [(array)$user, $token]);
641
-
642
-        return true;
643
-    }
644
-
645
-    //--------------------------------------------------------------------
646
-
647
-    /**
648
-     * Validates the credentials provided and, if valid, resets the password.
649
-     *
650
-     * The $credentials array MUST contain a 'code' key with the string to
651
-     * hash and check against the reset_hash.
652
-     *
653
-     * @param $credentials
654
-     * @param $password
655
-     * @param $passConfirm
656
-     * @return mixed
657
-     */
658
-    public function resetPassword($credentials, $password, $passConfirm)
659
-    {
660
-        if (empty($credentials['code']))
661
-        {
662
-            $this->error = lang('auth.need_reset_code');
663
-            return false;
664
-        }
665
-
666
-        // Generate a hash to match against the table.
667
-        $reset_hash = hash('sha1', config_item('auth.salt') .$credentials['code']);
668
-        unset($credentials['code']);
669
-
670
-        if (! empty($credentials['email']))
671
-        {
672
-            $credentials['email'] = strtolower($credentials['email']);
673
-        }
674
-
675
-        // Is there a matching user?
676
-        $user = $this->user_model->as_array()
677
-                                 ->where($credentials)
678
-                                 ->first();
679
-
680
-        // If throttling time is above zero, we can't allow
681
-        // logins now.
682
-        $time = (int)$this->isThrottled($user);
683
-        if ($time > 0)
684
-        {
685
-            $this->error = sprintf(lang('auth.throttled'), $time);
686
-            return false;
687
-        }
688
-
689
-        // Get ip address
690
-        $ip_address = $this->ci->input->ip_address();
691
-
692
-        if (! $user)
693
-        {
694
-            $this->error = lang('auth.reset_no_user');
695
-            $this->ci->login_model->recordLoginAttempt($ip_address);
696
-            return false;
697
-        }
698
-
699
-        // Is generated reset_hash string matches one from the table?
700
-        if ($reset_hash !== $user['reset_hash'])
701
-        {
702
-            $this->error = lang('auth.reset_no_user');
703
-            $this->ci->login_model->recordLoginAttempt($ip_address, $user['id']);
704
-            return false;
705
-        }
706
-
707
-        // Update their password and reset their reset_hash
708
-        $data = [
709
-            'password'     => $password,
710
-            'pass_confirm' => $passConfirm,
711
-            'reset_hash'   => null
712
-        ];
713
-
714
-        if (! $this->user_model->update($user['id'], $data))
715
-        {
716
-            $this->error = $this->user_model->error();
717
-            return false;
718
-        }
719
-
720
-        // Clear our login attempts
721
-        $this->ci->login_model->purgeLoginAttempts($ip_address, $user['id']);
722
-
723
-        Events::trigger('didResetPassword', [$user]);
724
-
725
-        return true;
726
-    }
727
-
728
-    //--------------------------------------------------------------------
729
-
730
-    /**
731
-     * Provides a way for implementations to allow new statuses to be set
732
-     * on the user. The details will vary based upon implementation, but
733
-     * will often allow for banning or suspending users.
734
-     *
735
-     * @param $newStatus
736
-     * @param null $message
737
-     * @return mixed
738
-     */
739
-    public function changeStatus($newStatus, $message=null)
740
-    {
741
-        // todo actually record new users status!
742
-    }
743
-
744
-    //--------------------------------------------------------------------
745
-
746
-    /**
747
-     * Allows the consuming application to pass in a reference to the
748
-     * model that should be used.
749
-     *
750
-     * The model MUST extend Myth\Models\CIDbModel.
751
-     *
752
-     * @param $model
753
-     * @param bool $allow_any_parent
754
-     * @return mixed
755
-     */
756
-    public function useModel($model, $allow_any_parent=false)
757
-    {
758
-        if (! $allow_any_parent && get_parent_class($model) != 'Myth\Models\CIDbModel')
759
-        {
760
-            throw new \RuntimeException('Models passed into LocalAuthenticate MUST extend Myth\Models\CIDbModel');
761
-        }
762
-
763
-        $this->user_model =& $model;
764
-
765
-        return $this;
766
-    }
767
-
768
-    //--------------------------------------------------------------------
769
-
770
-    public function error()
771
-    {
772
-        if (validation_errors())
773
-        {
774
-            return validation_errors();
775
-        }
776
-
777
-        return $this->error;
778
-    }
779
-
780
-    //--------------------------------------------------------------------
781
-
782
-    //--------------------------------------------------------------------
783
-    // Login Records
784
-    //--------------------------------------------------------------------
785
-
786
-    /**
787
-     * Purges all login attempt records from the database.
788
-     *
789
-     * @param null $ip_address
790
-     * @param null $user_id
791
-     */
792
-    public function purgeLoginAttempts($ip_address = null, $user_id = null)
793
-    {
794
-        $this->ci->login_model->purgeLoginAttempts($ip_address, $user_id);
795
-
796
-        // @todo record activity of login attempts purge.
797
-        Events::trigger('didPurgeLoginAttempts', [$email]);
798
-    }
799
-
800
-    //--------------------------------------------------------------------
801
-
802
-    /**
803
-     * Purges all remember tokens for a single user. Effectively logs
804
-     * a user out of all devices. Intended to allow users to log themselves
805
-     * out of all devices as a security measure.
806
-     *
807
-     * @param $email
808
-     */
809
-    public function purgeRememberTokens($email)
810
-    {
811
-        // Emails should NOT be case sensitive.
812
-        $email = strtolower($email);
813
-
814
-        $this->ci->login_model->purgeRememberTokens($email);
815
-
816
-        // todo record activity of remember me purges.
817
-        Events::trigger('didPurgeRememberTokens', [$email]);
818
-    }
819
-
820
-    //--------------------------------------------------------------------
821
-
822
-    //--------------------------------------------------------------------
823
-    // Protected Methods
824
-    //--------------------------------------------------------------------
825
-
826
-    /**
827
-     * Check if Allow Persistent Login Cookies is enable
828
-     *
829
-     * @param $user
830
-     */
831
-    protected function rememberUser($user)
832
-    {
833
-        if (! config_item('auth.allow_remembering'))
834
-        {
835
-            log_message('debug', 'Auth library set to refuse "Remember Me" functionality.');
836
-            return false;
837
-        }
838
-
839
-        $this->refreshRememberCookie($user);
840
-    }
841
-
842
-    //--------------------------------------------------------------------
843
-
844
-    /**
845
-     * Invalidates the current rememberme cookie/database entry, creates
846
-     * a new one, stores it and returns the new value.
847
-     *
848
-     * @param $user
849
-     * @param null $token
850
-     * @return mixed
851
-     */
852
-    protected function refreshRememberCookie($user, $token=null)
853
-    {
854
-        $this->ci->load->helper('cookie');
855
-
856
-        // If a token is passed in, we know we're removing the
857
-        // old one.
858
-        if (! empty($token))
859
-        {
860
-            $this->invalidateRememberCookie($user['email'], $token);
861
-        }
862
-
863
-        $new_token = $this->ci->login_model->generateRememberToken($user);
864
-
865
-        // Save the token to the database.
866
-        $data = [
867
-            'email'   => $user['email'],
868
-            'hash'    => sha1(config_item('auth.salt') . $new_token),
869
-            'created' => date('Y-m-d H:i:s')
870
-        ];
871
-
872
-        $this->ci->db->insert('auth_tokens', $data);
873
-
874
-        // Create the cookie
875
-        set_cookie(
876
-            'remember',                             // Cookie Name
877
-            $new_token,                             // Value
878
-            config_item('auth.remember_length'),    // # Seconds until it expires
879
-            config_item('cookie_domain'),
880
-            config_item('cookie_path'),
881
-            config_item('cookie_prefix'),
882
-            false,                                  // Only send over HTTPS?
883
-            true                                    // Hide from Javascript?
884
-        );
885
-
886
-        return $new_token;
887
-    }
888
-
889
-    //--------------------------------------------------------------------
890
-
891
-    /**
892
-     * Deletes any current remember me cookies and database entries.
893
-     *
894
-     * @param $email
895
-     * @param $token
896
-     * @return string The new token (not the hash).
897
-     */
898
-    protected function invalidateRememberCookie($email, $token)
899
-    {
900
-        // Emails should NOT be case sensitive.
901
-        $email = strtolower($email);
902
-
903
-        // Remove from the database
904
-        $this->ci->login_model->deleteRememberToken($email, $token);
905
-
906
-        // Remove the cookie
907
-        delete_cookie(
908
-            'remember',
909
-            config_item('cookie_domain'),
910
-            config_item('cookie_path'),
911
-            config_item('cookie_prefix')
912
-        );
913
-    }
914
-
915
-    //--------------------------------------------------------------------
916
-
917
-    /**
918
-     * Handles the nitty gritty of actually logging our user into the system.
919
-     * Does NOT perform the authentication, just sets the system up so that
920
-     * it knows we're here.
921
-     *
922
-     * @param $user
923
-     */
924
-    protected function loginUser($user)
925
-    {
926
-        // Save the user for later access
927
-        $this->user = $user;
928
-
929
-        // Get ip address
930
-        $ip_address = $this->ci->input->ip_address();
931
-
932
-        // Regenerate the session ID to help protect
933
-        // against session fixation
934
-        $this->ci->session->sess_regenerate();
935
-
936
-        // Let the session know that we're logged in.
937
-        $this->ci->session->set_userdata('logged_in', $user['id']);
938
-
939
-        // Clear our login attempts
940
-        $this->ci->login_model->purgeLoginAttempts($ip_address, $user['id']);
941
-
942
-        // Record a new Login
943
-        $this->ci->login_model->recordLogin($user);
944
-
945
-        // If logged in, ensure cache control
946
-        // headers are in place
947
-        $this->setHeaders();
948
-
949
-        // We'll give a 20% chance to need to do a purge since we
950
-        // don't need to purge THAT often, it's just a maintenance issue.
951
-        // to keep the table from getting out of control.
952
-        if (mt_rand(1, 100) < 20)
953
-        {
954
-            $this->ci->login_model->purgeOldRememberTokens();
955
-        }
956
-    }
957
-
958
-    //--------------------------------------------------------------------
959
-
960
-    /**
961
-     * Sets the headers to ensure that pages are not cached when a user
962
-     * is logged in, helping to protect against logging out and then
963
-     * simply hitting the Back button on the browser and getting private
964
-     * information because the page was loaded from cache.
965
-     */
966
-    protected function setHeaders()
967
-    {
968
-        $this->ci->output->set_header('Cache-Control: no-store, no-cache, must-revalidate');
969
-        $this->ci->output->set_header('Cache-Control: post-check=0, pre-check=0');
970
-        $this->ci->output->set_header('Pragma: no-cache');
971
-    }
972
-
973
-    //--------------------------------------------------------------------
513
+		// Get ip address
514
+		$ip_address = $this->ci->input->ip_address();
515
+
516
+		// Have any attempts been made?
517
+		$attempts = $this->ci->login_model->countLoginAttempts($ip_address, $user_id);
518
+
519
+		// Grab the amount of time to add if the system thinks we're
520
+		// under a distributed brute force attack.
521
+		// Affect users that have at least 1 failure login attempt
522
+		$dbrute_time = ($attempts === 0) ? 0 : $this->ci->login_model->distributedBruteForceTime();
523
+
524
+		// If this user was found to possibly be under a brute
525
+		// force attack, their account would have been banned
526
+		// for 15 minutes.
527
+		if ($time = isset($_SESSION['bruteBan']) ? $_SESSION['bruteBan'] : false)
528
+		{
529
+			// If the current time is less than the
530
+			// the ban expiration, plus any distributed time
531
+			// then the user can't login just yet.
532
+			if ($time + $dbrute_time > time())
533
+			{
534
+				// The user is banned still...
535
+				$this->error = lang('auth.bruteBan_notice');
536
+				return ($time + $dbrute_time) - time();
537
+			}
538
+
539
+			// Still here? The the ban time is over...
540
+			unset($_SESSION['bruteBan']);
541
+		}
542
+
543
+		// Grab the time of last attempt and
544
+		// determine if we're throttled by amount of time passed.
545
+		$last_time = $this->ci->login_model->lastLoginAttemptTime($ip_address, $user_id);
546
+
547
+		$allowed = config_item('auth.allowed_login_attempts');
548
+
549
+		// We're not throttling if there are 0 attempts or
550
+		// the number is less than or equal to the allowed free attempts
551
+		if ($attempts === 0 || $attempts <= $allowed)
552
+		{
553
+			// Before we can say there's nothing up here,
554
+			// we need to check dbrute time.
555
+			$time_left = $last_time + $dbrute_time - time();
556
+
557
+			if ($time_left > 0)
558
+			{
559
+				return $time_left;
560
+			}
561
+
562
+			return false;
563
+		}
564
+
565
+		// If the number of attempts is excessive (above 100) we need
566
+		// to check the elapsed time of all of these attacks. If they are
567
+		// less than 1 minute it's obvious this is a brute force attack,
568
+		// so we'll set a session flag and block that user for 15 minutes.
569
+		if ($attempts > 100 && $this->ci->login_model->isBruteForced($ip_address, $user_id))
570
+		{
571
+			$this->error = lang('auth.bruteBan_notice');
572
+
573
+			$ban_time = 60 * 15;    // 15 minutes
574
+			$_SESSION['bruteBan'] = time() + $ban_time;
575
+			return $ban_time;
576
+		}
577
+
578
+		// Get our allowed attempts out of the picture.
579
+		$attempts = $attempts - $allowed;
580
+
581
+		$max_time = config_item('auth.max_throttle_time');
582
+
583
+		$add_time = 5 * pow(2, $attempts - 1);
584
+
585
+		if ($add_time > $max_time)
586
+		{
587
+			$add_time = $max_time;
588
+		}
589
+
590
+		$next_time = $last_time + $add_time + $dbrute_time;
591
+
592
+		$current = time();
593
+
594
+		// We are NOT throttled if we are already
595
+		// past the allowed time.
596
+		if ($current > $next_time)
597
+		{
598
+			return false;
599
+		}
600
+
601
+		return $next_time - $current;
602
+	}
603
+
604
+	//--------------------------------------------------------------------
605
+
606
+	/**
607
+	 * Sends a password reset link email to the user associated with
608
+	 * the passed in $email.
609
+	 *
610
+	 * @param $email
611
+	 * @return mixed
612
+	 */
613
+	public function remindUser($email)
614
+	{
615
+		// Emails should NOT be case sensitive.
616
+		$email = strtolower($email);
617
+
618
+		// Is it a valid user?
619
+		$user = $this->user_model->find_by('email', $email);
620
+
621
+		if (! $user)
622
+		{
623
+			$this->error = lang('auth.invalid_email');
624
+			return false;
625
+		}
626
+
627
+		// Generate/store our codes
628
+		$this->ci->load->helper('string');
629
+		$token = random_string('alnum', 24);
630
+		$hash = hash('sha1', config_item('auth.salt') .$token);
631
+
632
+		$result = $this->user_model->update($user->id, ['reset_hash' => $hash]);
633
+
634
+		if (! $result)
635
+		{
636
+			$this->error = $this->user_model->error();
637
+			return false;
638
+		}
639
+
640
+		Events::trigger('didRemindUser', [(array)$user, $token]);
641
+
642
+		return true;
643
+	}
644
+
645
+	//--------------------------------------------------------------------
646
+
647
+	/**
648
+	 * Validates the credentials provided and, if valid, resets the password.
649
+	 *
650
+	 * The $credentials array MUST contain a 'code' key with the string to
651
+	 * hash and check against the reset_hash.
652
+	 *
653
+	 * @param $credentials
654
+	 * @param $password
655
+	 * @param $passConfirm
656
+	 * @return mixed
657
+	 */
658
+	public function resetPassword($credentials, $password, $passConfirm)
659
+	{
660
+		if (empty($credentials['code']))
661
+		{
662
+			$this->error = lang('auth.need_reset_code');
663
+			return false;
664
+		}
665
+
666
+		// Generate a hash to match against the table.
667
+		$reset_hash = hash('sha1', config_item('auth.salt') .$credentials['code']);
668
+		unset($credentials['code']);
669
+
670
+		if (! empty($credentials['email']))
671
+		{
672
+			$credentials['email'] = strtolower($credentials['email']);
673
+		}
674
+
675
+		// Is there a matching user?
676
+		$user = $this->user_model->as_array()
677
+								 ->where($credentials)
678
+								 ->first();
679
+
680
+		// If throttling time is above zero, we can't allow
681
+		// logins now.
682
+		$time = (int)$this->isThrottled($user);
683
+		if ($time > 0)
684
+		{
685
+			$this->error = sprintf(lang('auth.throttled'), $time);
686
+			return false;
687
+		}
688
+
689
+		// Get ip address
690
+		$ip_address = $this->ci->input->ip_address();
691
+
692
+		if (! $user)
693
+		{
694
+			$this->error = lang('auth.reset_no_user');
695
+			$this->ci->login_model->recordLoginAttempt($ip_address);
696
+			return false;
697
+		}
698
+
699
+		// Is generated reset_hash string matches one from the table?
700
+		if ($reset_hash !== $user['reset_hash'])
701
+		{
702
+			$this->error = lang('auth.reset_no_user');
703
+			$this->ci->login_model->recordLoginAttempt($ip_address, $user['id']);
704
+			return false;
705
+		}
706
+
707
+		// Update their password and reset their reset_hash
708
+		$data = [
709
+			'password'     => $password,
710
+			'pass_confirm' => $passConfirm,
711
+			'reset_hash'   => null
712
+		];
713
+
714
+		if (! $this->user_model->update($user['id'], $data))
715
+		{
716
+			$this->error = $this->user_model->error();
717
+			return false;
718
+		}
719
+
720
+		// Clear our login attempts
721
+		$this->ci->login_model->purgeLoginAttempts($ip_address, $user['id']);
722
+
723
+		Events::trigger('didResetPassword', [$user]);
724
+
725
+		return true;
726
+	}
727
+
728
+	//--------------------------------------------------------------------
729
+
730
+	/**
731
+	 * Provides a way for implementations to allow new statuses to be set
732
+	 * on the user. The details will vary based upon implementation, but
733
+	 * will often allow for banning or suspending users.
734
+	 *
735
+	 * @param $newStatus
736
+	 * @param null $message
737
+	 * @return mixed
738
+	 */
739
+	public function changeStatus($newStatus, $message=null)
740
+	{
741
+		// todo actually record new users status!
742
+	}
743
+
744
+	//--------------------------------------------------------------------
745
+
746
+	/**
747
+	 * Allows the consuming application to pass in a reference to the
748
+	 * model that should be used.
749
+	 *
750
+	 * The model MUST extend Myth\Models\CIDbModel.
751
+	 *
752
+	 * @param $model
753
+	 * @param bool $allow_any_parent
754
+	 * @return mixed
755
+	 */
756
+	public function useModel($model, $allow_any_parent=false)
757
+	{
758
+		if (! $allow_any_parent && get_parent_class($model) != 'Myth\Models\CIDbModel')
759
+		{
760
+			throw new \RuntimeException('Models passed into LocalAuthenticate MUST extend Myth\Models\CIDbModel');
761
+		}
762
+
763
+		$this->user_model =& $model;
764
+
765
+		return $this;
766
+	}
767
+
768
+	//--------------------------------------------------------------------
769
+
770
+	public function error()
771
+	{
772
+		if (validation_errors())
773
+		{
774
+			return validation_errors();
775
+		}
776
+
777
+		return $this->error;
778
+	}
779
+
780
+	//--------------------------------------------------------------------
781
+
782
+	//--------------------------------------------------------------------
783
+	// Login Records
784
+	//--------------------------------------------------------------------
785
+
786
+	/**
787
+	 * Purges all login attempt records from the database.
788
+	 *
789
+	 * @param null $ip_address
790
+	 * @param null $user_id
791
+	 */
792
+	public function purgeLoginAttempts($ip_address = null, $user_id = null)
793
+	{
794
+		$this->ci->login_model->purgeLoginAttempts($ip_address, $user_id);
795
+
796
+		// @todo record activity of login attempts purge.
797
+		Events::trigger('didPurgeLoginAttempts', [$email]);
798
+	}
799
+
800
+	//--------------------------------------------------------------------
801
+
802
+	/**
803
+	 * Purges all remember tokens for a single user. Effectively logs
804
+	 * a user out of all devices. Intended to allow users to log themselves
805
+	 * out of all devices as a security measure.
806
+	 *
807
+	 * @param $email
808
+	 */
809
+	public function purgeRememberTokens($email)
810
+	{
811
+		// Emails should NOT be case sensitive.
812
+		$email = strtolower($email);
813
+
814
+		$this->ci->login_model->purgeRememberTokens($email);
815
+
816
+		// todo record activity of remember me purges.
817
+		Events::trigger('didPurgeRememberTokens', [$email]);
818
+	}
819
+
820
+	//--------------------------------------------------------------------
821
+
822
+	//--------------------------------------------------------------------
823
+	// Protected Methods
824
+	//--------------------------------------------------------------------
825
+
826
+	/**
827
+	 * Check if Allow Persistent Login Cookies is enable
828
+	 *
829
+	 * @param $user
830
+	 */
831
+	protected function rememberUser($user)
832
+	{
833
+		if (! config_item('auth.allow_remembering'))
834
+		{
835
+			log_message('debug', 'Auth library set to refuse "Remember Me" functionality.');
836
+			return false;
837
+		}
838
+
839
+		$this->refreshRememberCookie($user);
840
+	}
841
+
842
+	//--------------------------------------------------------------------
843
+
844
+	/**
845
+	 * Invalidates the current rememberme cookie/database entry, creates
846
+	 * a new one, stores it and returns the new value.
847
+	 *
848
+	 * @param $user
849
+	 * @param null $token
850
+	 * @return mixed
851
+	 */
852
+	protected function refreshRememberCookie($user, $token=null)
853
+	{
854
+		$this->ci->load->helper('cookie');
855
+
856
+		// If a token is passed in, we know we're removing the
857
+		// old one.
858
+		if (! empty($token))
859
+		{
860
+			$this->invalidateRememberCookie($user['email'], $token);
861
+		}
862
+
863
+		$new_token = $this->ci->login_model->generateRememberToken($user);
864
+
865
+		// Save the token to the database.
866
+		$data = [
867
+			'email'   => $user['email'],
868
+			'hash'    => sha1(config_item('auth.salt') . $new_token),
869
+			'created' => date('Y-m-d H:i:s')
870
+		];
871
+
872
+		$this->ci->db->insert('auth_tokens', $data);
873
+
874
+		// Create the cookie
875
+		set_cookie(
876
+			'remember',                             // Cookie Name
877
+			$new_token,                             // Value
878
+			config_item('auth.remember_length'),    // # Seconds until it expires
879
+			config_item('cookie_domain'),
880
+			config_item('cookie_path'),
881
+			config_item('cookie_prefix'),
882
+			false,                                  // Only send over HTTPS?
883
+			true                                    // Hide from Javascript?
884
+		);
885
+
886
+		return $new_token;
887
+	}
888
+
889
+	//--------------------------------------------------------------------
890
+
891
+	/**
892
+	 * Deletes any current remember me cookies and database entries.
893
+	 *
894
+	 * @param $email
895
+	 * @param $token
896
+	 * @return string The new token (not the hash).
897
+	 */
898
+	protected function invalidateRememberCookie($email, $token)
899
+	{
900
+		// Emails should NOT be case sensitive.
901
+		$email = strtolower($email);
902
+
903
+		// Remove from the database
904
+		$this->ci->login_model->deleteRememberToken($email, $token);
905
+
906
+		// Remove the cookie
907
+		delete_cookie(
908
+			'remember',
909
+			config_item('cookie_domain'),
910
+			config_item('cookie_path'),
911
+			config_item('cookie_prefix')
912
+		);
913
+	}
914
+
915
+	//--------------------------------------------------------------------
916
+
917
+	/**
918
+	 * Handles the nitty gritty of actually logging our user into the system.
919
+	 * Does NOT perform the authentication, just sets the system up so that
920
+	 * it knows we're here.
921
+	 *
922
+	 * @param $user
923
+	 */
924
+	protected function loginUser($user)
925
+	{
926
+		// Save the user for later access
927
+		$this->user = $user;
928
+
929
+		// Get ip address
930
+		$ip_address = $this->ci->input->ip_address();
931
+
932
+		// Regenerate the session ID to help protect
933
+		// against session fixation
934
+		$this->ci->session->sess_regenerate();
935
+
936
+		// Let the session know that we're logged in.
937
+		$this->ci->session->set_userdata('logged_in', $user['id']);
938
+
939
+		// Clear our login attempts
940
+		$this->ci->login_model->purgeLoginAttempts($ip_address, $user['id']);
941
+
942
+		// Record a new Login
943
+		$this->ci->login_model->recordLogin($user);
944
+
945
+		// If logged in, ensure cache control
946
+		// headers are in place
947
+		$this->setHeaders();
948
+
949
+		// We'll give a 20% chance to need to do a purge since we
950
+		// don't need to purge THAT often, it's just a maintenance issue.
951
+		// to keep the table from getting out of control.
952
+		if (mt_rand(1, 100) < 20)
953
+		{
954
+			$this->ci->login_model->purgeOldRememberTokens();
955
+		}
956
+	}
957
+
958
+	//--------------------------------------------------------------------
959
+
960
+	/**
961
+	 * Sets the headers to ensure that pages are not cached when a user
962
+	 * is logged in, helping to protect against logging out and then
963
+	 * simply hitting the Back button on the browser and getting private
964
+	 * information because the page was loaded from cache.
965
+	 */
966
+	protected function setHeaders()
967
+	{
968
+		$this->ci->output->set_header('Cache-Control: no-store, no-cache, must-revalidate');
969
+		$this->ci->output->set_header('Cache-Control: post-check=0, pre-check=0');
970
+		$this->ci->output->set_header('Pragma: no-cache');
971
+	}
972
+
973
+	//--------------------------------------------------------------------
974 974
 
975 975
 
976 976
 }
Please login to merge, or discard this patch.
myth/Auth/AuthenticateInterface.php 1 patch
Indentation   +192 added lines, -192 removed lines patch added patch discarded remove patch
@@ -42,197 +42,197 @@
 block discarded – undo
42 42
  */
43 43
 interface AuthenticateInterface {
44 44
 
45
-    /**
46
-     * Attempt to log a user into the system.
47
-     *
48
-     * $credentials is an array of key/value pairs needed to log the user in.
49
-     * This is often email/password, or username/password.
50
-     *
51
-     * @param $credentials
52
-     * @param bool $remember
53
-     */
54
-    public function login($credentials, $remember=false);
55
-
56
-    //--------------------------------------------------------------------
57
-
58
-    /**
59
-     * Validates user login information without logging them in.
60
-     *
61
-     * $credentials is an array of key/value pairs needed to log the user in.
62
-     * This is often email/password, or username/password.
63
-     *
64
-     * @param $credentials
65
-     * @param bool $return_user
66
-     * @return mixed
67
-     */
68
-    public function validate($credentials, $return_user=false);
69
-
70
-    //--------------------------------------------------------------------
71
-
72
-    /**
73
-     * Logs a user out and removes all session information.
74
-     *
75
-     * @return mixed
76
-     */
77
-    public function logout();
78
-
79
-    //--------------------------------------------------------------------
80
-
81
-    /**
82
-     * Checks whether a user is logged in or not.
83
-     *
84
-     * @return bool
85
-     */
86
-    public function isLoggedIn();
87
-
88
-    //--------------------------------------------------------------------
89
-
90
-    /**
91
-     * Attempts to log a user in based on the "remember me" cookie.
92
-     *
93
-     * @return bool
94
-     */
95
-    public function viaRemember();
96
-
97
-    //--------------------------------------------------------------------
98
-
99
-    /**
100
-     * Registers a new user and handles activation method.
101
-     *
102
-     * @param $user_data
103
-     * @return bool
104
-     */
105
-    public function registerUser($user_data);
106
-
107
-    //--------------------------------------------------------------------
108
-
109
-    /**
110
-     * Used to verify the user values and activate a user so they can
111
-     * visit the site.
112
-     *
113
-     * @param $data
114
-     * @return bool
115
-     */
116
-    public function activateUser($data);
117
-
118
-    //--------------------------------------------------------------------
119
-
120
-    /**
121
-     * Used to allow manual activation of a user with a known ID.
122
-     *
123
-     * @param $id
124
-     * @return bool
125
-     */
126
-    public function activateUserById($id);
127
-
128
-    //--------------------------------------------------------------------
129
-
130
-    /**
131
-     * Grabs the current user object. Returns NULL if nothing found.
132
-     *
133
-     * @return array|null
134
-     */
135
-    public function user();
136
-
137
-    //--------------------------------------------------------------------
138
-
139
-    /**
140
-     * A convenience method to grab the current user's ID.
141
-     *
142
-     * @return int|null
143
-     */
144
-    public function id();
145
-
146
-    //--------------------------------------------------------------------
147
-
148
-    /**
149
-     * Tells the system to start throttling a user. This may vary by implementation,
150
-     * but will often add additional time before another login is allowed.
151
-     *
152
-     * @param $email
153
-     * @return mixed
154
-     */
155
-    public function isThrottled($email);
156
-
157
-    //--------------------------------------------------------------------
158
-
159
-    /**
160
-     * Sends a password reminder email to the user associated with
161
-     * the passed in $email.
162
-     *
163
-     * @param $email
164
-     * @return mixed
165
-     */
166
-    public function remindUser($email);
167
-
168
-    //--------------------------------------------------------------------
169
-
170
-    /**
171
-     * Validates the credentials provided and, if valid, resets the password.
172
-     *
173
-     * @param $credentials
174
-     * @param $password
175
-     * @param $passConfirm
176
-     * @return mixed
177
-     */
178
-    public function resetPassword($credentials, $password, $passConfirm);
179
-
180
-    //--------------------------------------------------------------------
181
-
182
-    /**
183
-     * Provides a way for implementations to allow new statuses to be set
184
-     * on the user. The details will vary based upon implementation, but
185
-     * will often allow for banning or suspending users.
186
-     *
187
-     * @param $newStatus
188
-     * @param null $message
189
-     * @return mixed
190
-     */
191
-    public function changeStatus($newStatus, $message=null);
192
-
193
-    //--------------------------------------------------------------------
194
-
195
-    /**
196
-     * Allows the consuming application to pass in a reference to the
197
-     * model that should be used.
198
-     *
199
-     * The model MUST extend Myth\Models\CIDbModel.
200
-     *
201
-     * @param $model
202
-     * @return mixed
203
-     */
204
-    public function useModel($model);
205
-
206
-    //--------------------------------------------------------------------
207
-
208
-    /**
209
-     * Returns the current error string.
210
-     *
211
-     * @return mixed
212
-     */
213
-    public function error();
214
-
215
-    //--------------------------------------------------------------------
216
-
217
-    /**
218
-     * Purges all login attempt records from the database.
219
-     *
220
-     * @param null $ip_address
221
-     * @param null $user_id
222
-     */
223
-    public function purgeLoginAttempts($ip_address = null, $user_id = null);
224
-
225
-    //--------------------------------------------------------------------
226
-
227
-    /**
228
-     * Purges all remember tokens for a single user. Effectively logs
229
-     * a user out of all devices. Intended to allow users to log themselves
230
-     * out of all devices as a security measure.
231
-     *
232
-     * @param $email
233
-     */
234
-    public function purgeRememberTokens($email);
235
-
236
-    //--------------------------------------------------------------------
45
+	/**
46
+	 * Attempt to log a user into the system.
47
+	 *
48
+	 * $credentials is an array of key/value pairs needed to log the user in.
49
+	 * This is often email/password, or username/password.
50
+	 *
51
+	 * @param $credentials
52
+	 * @param bool $remember
53
+	 */
54
+	public function login($credentials, $remember=false);
55
+
56
+	//--------------------------------------------------------------------
57
+
58
+	/**
59
+	 * Validates user login information without logging them in.
60
+	 *
61
+	 * $credentials is an array of key/value pairs needed to log the user in.
62
+	 * This is often email/password, or username/password.
63
+	 *
64
+	 * @param $credentials
65
+	 * @param bool $return_user
66
+	 * @return mixed
67
+	 */
68
+	public function validate($credentials, $return_user=false);
69
+
70
+	//--------------------------------------------------------------------
71
+
72
+	/**
73
+	 * Logs a user out and removes all session information.
74
+	 *
75
+	 * @return mixed
76
+	 */
77
+	public function logout();
78
+
79
+	//--------------------------------------------------------------------
80
+
81
+	/**
82
+	 * Checks whether a user is logged in or not.
83
+	 *
84
+	 * @return bool
85
+	 */
86
+	public function isLoggedIn();
87
+
88
+	//--------------------------------------------------------------------
89
+
90
+	/**
91
+	 * Attempts to log a user in based on the "remember me" cookie.
92
+	 *
93
+	 * @return bool
94
+	 */
95
+	public function viaRemember();
96
+
97
+	//--------------------------------------------------------------------
98
+
99
+	/**
100
+	 * Registers a new user and handles activation method.
101
+	 *
102
+	 * @param $user_data
103
+	 * @return bool
104
+	 */
105
+	public function registerUser($user_data);
106
+
107
+	//--------------------------------------------------------------------
108
+
109
+	/**
110
+	 * Used to verify the user values and activate a user so they can
111
+	 * visit the site.
112
+	 *
113
+	 * @param $data
114
+	 * @return bool
115
+	 */
116
+	public function activateUser($data);
117
+
118
+	//--------------------------------------------------------------------
119
+
120
+	/**
121
+	 * Used to allow manual activation of a user with a known ID.
122
+	 *
123
+	 * @param $id
124
+	 * @return bool
125
+	 */
126
+	public function activateUserById($id);
127
+
128
+	//--------------------------------------------------------------------
129
+
130
+	/**
131
+	 * Grabs the current user object. Returns NULL if nothing found.
132
+	 *
133
+	 * @return array|null
134
+	 */
135
+	public function user();
136
+
137
+	//--------------------------------------------------------------------
138
+
139
+	/**
140
+	 * A convenience method to grab the current user's ID.
141
+	 *
142
+	 * @return int|null
143
+	 */
144
+	public function id();
145
+
146
+	//--------------------------------------------------------------------
147
+
148
+	/**
149
+	 * Tells the system to start throttling a user. This may vary by implementation,
150
+	 * but will often add additional time before another login is allowed.
151
+	 *
152
+	 * @param $email
153
+	 * @return mixed
154
+	 */
155
+	public function isThrottled($email);
156
+
157
+	//--------------------------------------------------------------------
158
+
159
+	/**
160
+	 * Sends a password reminder email to the user associated with
161
+	 * the passed in $email.
162
+	 *
163
+	 * @param $email
164
+	 * @return mixed
165
+	 */
166
+	public function remindUser($email);
167
+
168
+	//--------------------------------------------------------------------
169
+
170
+	/**
171
+	 * Validates the credentials provided and, if valid, resets the password.
172
+	 *
173
+	 * @param $credentials
174
+	 * @param $password
175
+	 * @param $passConfirm
176
+	 * @return mixed
177
+	 */
178
+	public function resetPassword($credentials, $password, $passConfirm);
179
+
180
+	//--------------------------------------------------------------------
181
+
182
+	/**
183
+	 * Provides a way for implementations to allow new statuses to be set
184
+	 * on the user. The details will vary based upon implementation, but
185
+	 * will often allow for banning or suspending users.
186
+	 *
187
+	 * @param $newStatus
188
+	 * @param null $message
189
+	 * @return mixed
190
+	 */
191
+	public function changeStatus($newStatus, $message=null);
192
+
193
+	//--------------------------------------------------------------------
194
+
195
+	/**
196
+	 * Allows the consuming application to pass in a reference to the
197
+	 * model that should be used.
198
+	 *
199
+	 * The model MUST extend Myth\Models\CIDbModel.
200
+	 *
201
+	 * @param $model
202
+	 * @return mixed
203
+	 */
204
+	public function useModel($model);
205
+
206
+	//--------------------------------------------------------------------
207
+
208
+	/**
209
+	 * Returns the current error string.
210
+	 *
211
+	 * @return mixed
212
+	 */
213
+	public function error();
214
+
215
+	//--------------------------------------------------------------------
216
+
217
+	/**
218
+	 * Purges all login attempt records from the database.
219
+	 *
220
+	 * @param null $ip_address
221
+	 * @param null $user_id
222
+	 */
223
+	public function purgeLoginAttempts($ip_address = null, $user_id = null);
224
+
225
+	//--------------------------------------------------------------------
226
+
227
+	/**
228
+	 * Purges all remember tokens for a single user. Effectively logs
229
+	 * a user out of all devices. Intended to allow users to log themselves
230
+	 * out of all devices as a security measure.
231
+	 *
232
+	 * @param $email
233
+	 */
234
+	public function purgeRememberTokens($email);
235
+
236
+	//--------------------------------------------------------------------
237 237
 
238 238
 }
Please login to merge, or discard this patch.
myth/CIModules/auth/models/Login_model.php 1 patch
Indentation   +381 added lines, -381 removed lines patch added patch discarded remove patch
@@ -1,34 +1,34 @@  discard block
 block discarded – undo
1 1
 <?php
2 2
 /**
3
- * Sprint
4
- *
5
- * A set of power tools to enhance the CodeIgniter framework and provide consistent workflow.
6
- *
7
- * Permission is hereby granted, free of charge, to any person obtaining a copy
8
- * of this software and associated documentation files (the "Software"), to deal
9
- * in the Software without restriction, including without limitation the rights
10
- * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
11
- * copies of the Software, and to permit persons to whom the Software is
12
- * furnished to do so, subject to the following conditions:
13
- *
14
- * The above copyright notice and this permission notice shall be included in
15
- * all copies or substantial portions of the Software.
16
- *
17
- * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
18
- * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
19
- * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
20
- * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
21
- * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
22
- * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
23
- * THE SOFTWARE.
24
- *
25
- * @package     Sprint
26
- * @author      Lonnie Ezell
27
- * @copyright   Copyright 2014-2015, New Myth Media, LLC (http://newmythmedia.com)
28
- * @license     http://opensource.org/licenses/MIT  (MIT)
29
- * @link        http://sprintphp.com
30
- * @since       Version 1.0
31
- */
3
+	 * Sprint
4
+	 *
5
+	 * A set of power tools to enhance the CodeIgniter framework and provide consistent workflow.
6
+	 *
7
+	 * Permission is hereby granted, free of charge, to any person obtaining a copy
8
+	 * of this software and associated documentation files (the "Software"), to deal
9
+	 * in the Software without restriction, including without limitation the rights
10
+	 * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
11
+	 * copies of the Software, and to permit persons to whom the Software is
12
+	 * furnished to do so, subject to the following conditions:
13
+	 *
14
+	 * The above copyright notice and this permission notice shall be included in
15
+	 * all copies or substantial portions of the Software.
16
+	 *
17
+	 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
18
+	 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
19
+	 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
20
+	 * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
21
+	 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
22
+	 * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
23
+	 * THE SOFTWARE.
24
+	 *
25
+	 * @package     Sprint
26
+	 * @author      Lonnie Ezell
27
+	 * @copyright   Copyright 2014-2015, New Myth Media, LLC (http://newmythmedia.com)
28
+	 * @license     http://opensource.org/licenses/MIT  (MIT)
29
+	 * @link        http://sprintphp.com
30
+	 * @since       Version 1.0
31
+	 */
32 32
 
33 33
 /**
34 34
  * Class Login_model
@@ -41,357 +41,357 @@  discard block
 block discarded – undo
41 41
  */
42 42
 class Login_model extends \Myth\Models\CIDbModel {
43 43
 
44
-    protected $table_name = 'auth_logins';
45
-
46
-    protected $set_created = false;
47
-    protected $set_modified = false;
48
-
49
-    //--------------------------------------------------------------------
50
-
51
-    //--------------------------------------------------------------------
52
-    // Login Attempts
53
-    //--------------------------------------------------------------------
54
-
55
-    /**
56
-     * Records a login attempt. This is used to implement
57
-     * throttling of application, ip address and user login attempts.
58
-     *
59
-     * @param $ip_address
60
-     * @param $user_id
61
-     * @return void
62
-     */
63
-    public function recordLoginAttempt($ip_address, $user_id = null)
64
-    {
65
-        $datetime = date('Y-m-d H:i:s');
66
-
67
-        // log attempt for app
68
-        $data = [
69
-            'type' => 'app',
70
-            'datetime' => $datetime
71
-        ];
72
-
73
-        $this->db->insert('auth_login_attempts', $data);
74
-
75
-        // log attempt for ip address
76
-        if (! empty($ip_address))
77
-        {
78
-            $data = [
79
-                'type' => 'ip',
80
-                'ip_address' => $ip_address,
81
-                'datetime' => $datetime
82
-            ];
83
-
84
-            $this->db->insert('auth_login_attempts', $data);
85
-        }
86
-
87
-        // log attempt for user
88
-        if ($user_id)
89
-        {
90
-            $data = [
91
-                'type' => 'user',
92
-                'user_id' => $user_id,
93
-                'datetime' => $datetime
94
-            ];
95
-
96
-            $this->db->insert('auth_login_attempts', $data);
97
-        }
98
-    }
99
-
100
-    //--------------------------------------------------------------------
101
-
102
-    /**
103
-     * Purges all login attempt records from the database.
104
-     *
105
-     * @param $ip_address
106
-     * @param $user_id
107
-     * @return mixed
108
-     */
109
-    public function purgeLoginAttempts($ip_address, $user_id)
110
-    {
111
-        if ($ip_address)
112
-        {
113
-            $this->db->where('ip_address', $ip_address);
114
-        }
115
-
116
-        if ($user_id)
117
-        {
118
-            $this->db->or_where('user_id', $user_id);
119
-        }
120
-
121
-        return $this->db->delete('auth_login_attempts');
122
-    }
123
-
124
-    //--------------------------------------------------------------------
125
-
126
-    /**
127
-     * Checks to see if how many login attempts have been attempted in the
128
-     * last 60 seconds. If over 100, it is considered to be under a
129
-     * brute force attempt.
130
-     *
131
-     * @param $ip_address
132
-     * @param $user_id
133
-     * @return bool
134
-     */
135
-    public function isBruteForced($ip_address, $user_id)
136
-    {
137
-        $start_time = date('Y-m-d H:i:s', time() - 60);
138
-
139
-        $attempts_ip = $this->db->where('type', 'ip')
140
-                                ->where('ip_address', $ip_address)
141
-                                ->where('datetime >=', $start_time)
142
-                                ->count_all_results('auth_login_attempts');
143
-
144
-        if (! $user_id)
145
-        {
146
-            return $attempts_ip > 100;
147
-        }
148
-
149
-        $attempts_user = $this->db->where('type', 'user')
150
-                                  ->where('user_id', $user_id)
151
-                                  ->where('datetime >=', $start_time)
152
-                                  ->count_all_results('auth_login_attempts');
153
-
154
-        if ($attempts_user > $attempts_ip) 
155
-        {
156
-            return $attempts_user > 100;
157
-        }
158
-        else
159
-        {
160
-            return $attempts_ip > 100;
161
-        }
162
-    }
163
-
164
-    //--------------------------------------------------------------------
165
-
166
-    /**
167
-     * Attempts to determine if the system is under a distributed
168
-     * brute force attack.
169
-     *
170
-     * To determine if we are in under a brute force attack, we first
171
-     * find the average number of bad logins per day that never converted to
172
-     * successful logins over the last 3 months. Then we compare
173
-     * that to the the average number of logins in the past 24 hours.
174
-     *
175
-     * If the number of attempts in the last 24 hours is more than X (see config)
176
-     * times the average, then institute additional throttling.
177
-     *
178
-     * @return int The time to add to any throttling.
179
-     */
180
-    public function distributedBruteForceTime()
181
-    {
182
-        if (! $time = $this->cache->get('dbrutetime'))
183
-        {
184
-            $time = 0;
185
-
186
-            // Compute our daily average over the last 3 months.
187
-            $avg_start_time = date('Y-m-d 00:00:00', strtotime('-3 months'));
188
-
189
-            $query = $this->db->query("SELECT COUNT(*) / COUNT(DISTINCT DATE(`datetime`)) as num_rows FROM `auth_login_attempts` WHERE `type` = 'app' AND `datetime` >= ?", $avg_start_time);
190
-
191
-            if (! $query->num_rows())
192
-            {
193
-                $average = 0;
194
-            }
195
-            else
196
-            {
197
-                $average = $query->row()->num_rows;
198
-            }
199
-
200
-            // Get the total in the last 24 hours
201
-            $today_start_time = date('Y-m-d H:i:s', strtotime('-24 hours'));
202
-
203
-            $attempts = $this->db->where('type', 'app')
204
-                                 ->where('datetime >=', $today_start_time)
205
-                                 ->count_all_results('auth_login_attempts');
206
-
207
-            if ($attempts > (config_item('auth.dbrute_multiplier') * $average))
208
-            {
209
-                $time = config_item('auth.distributed_brute_add_time');
210
-            }
211
-
212
-            // Cache it for 3 hours.
213
-            $this->cache->save('dbrutetime', $time, 60*60*3);
214
-        }
215
-
216
-        return $time;
217
-    }
218
-
219
-    //--------------------------------------------------------------------
220
-
221
-    //--------------------------------------------------------------------
222
-    // Logins
223
-    //--------------------------------------------------------------------
224
-
225
-    /**
226
-     * Records a successful login. This stores in a table so that a
227
-     * history can be pulled up later if needed for security analyses.
228
-     *
229
-     * @param $user
230
-     */
231
-    public function recordLogin($user)
232
-    {
233
-        $data = [
234
-            'user_id'    => (int)$user['id'],
235
-            'datetime'   => date('Y-m-d H:i:s'),
236
-            'ip_address' => $this->input->ip_address()
237
-        ];
238
-
239
-        return $this->db->insert('auth_logins', $data);
240
-    }
241
-
242
-    //--------------------------------------------------------------------
243
-
244
-    //--------------------------------------------------------------------
245
-    // Tokens
246
-    //--------------------------------------------------------------------
247
-
248
-    /**
249
-     * Generates a new token for the rememberme cookie.
250
-     *
251
-     * The token is based on the user's email address (since everyone will have one)
252
-     * with the '@' turned to a '.', followed by a pipe (|) and a random 128-character
253
-     * string with letters and numbers.
254
-     *
255
-     * @param $user
256
-     * @return mixed
257
-     */
258
-    public function generateRememberToken($user)
259
-    {
260
-        $this->load->helper('string');
261
-
262
-        return str_replace('@', '.', $user['email']) .'|' . random_string('alnum', 128);
263
-    }
264
-
265
-    //--------------------------------------------------------------------
266
-
267
-    /**
268
-     * Hashes the token for the Remember Me Functionality.
269
-     *
270
-     * @param $token
271
-     * @return string
272
-     */
273
-    public function hashRememberToken($token)
274
-    {
275
-        return sha1(config_item('auth.salt') . $token);
276
-    }
277
-
278
-    //--------------------------------------------------------------------
279
-
280
-    /**
281
-     * Deletes a single token that matches the email/token combo.
282
-     *
283
-     * @param $email
284
-     * @param $token
285
-     * @return mixed
286
-     */
287
-    public function deleteRememberToken($email, $token)
288
-    {
289
-        $where = [
290
-            'email' => $email,
291
-            'hash'  => $this->hashRememberToken($token)
292
-        ];
293
-
294
-        $this->db->delete('auth_tokens', $where);
295
-    }
296
-
297
-    //--------------------------------------------------------------------
298
-
299
-    /**
300
-     * Removes all persistent login tokens (RememberMe) for a single user
301
-     * across all devices they may have logged in with.
302
-     *
303
-     * @param $email
304
-     * @return mixed
305
-     */
306
-    public function purgeRememberTokens($email)
307
-    {
308
-        return $this->db->delete('auth_tokens', ['email' => $email]);
309
-    }
310
-
311
-    //--------------------------------------------------------------------
312
-
313
-
314
-    /**
315
-     * Purges the 'auth_tokens' table of any records that are too old
316
-     * to be of any use anymore. This equates to 1 week older than
317
-     * the remember_length set in the config file.
318
-     */
319
-    public function purgeOldRememberTokens()
320
-    {
321
-        if (! config_item('auth.allow_remembering'))
322
-        {
323
-            return;
324
-        }
325
-
326
-        $date = time() - config_item('auth.remember_length') - 604800; // 1 week
327
-        $date = date('Y-m-d 00:00:00', $date);
328
-
329
-        $this->db->where('created <=', $date)
330
-                 ->delete('auth_tokens');
331
-    }
332
-
333
-    //--------------------------------------------------------------------
334
-
335
-    /**
336
-     * Gets the timestamp of the last attempted login for this user.
337
-     *
338
-     * @param $ip_address
339
-     * @param $user_id
340
-     * @return int|null
341
-     */
342
-    public function lastLoginAttemptTime($ip_address, $user_id)
343
-    {
344
-        $query = $this->db->where('type', 'ip')
345
-                          ->where('ip_address', $ip_address)
346
-                          ->order_by('datetime', 'desc')
347
-                          ->limit(1)
348
-                          ->get('auth_login_attempts');
349
-
350
-        $last_ip = ! $query->num_rows() ? 0 : strtotime($query->row()->datetime);
351
-
352
-        if (! $user_id)
353
-        {
354
-            return $last_ip;
355
-        }
356
-
357
-        $query = $this->db->where('type', 'user')
358
-                          ->where('user_id', $user_id)
359
-                          ->order_by('datetime', 'desc')
360
-                          ->limit(1)
361
-                          ->get('auth_login_attempts');
362
-
363
-        $last_user = ! $query->num_rows() ? 0 : strtotime($query->row()->datetime);
364
-
365
-        return ($last_user > $last_ip) ? $last_user : $last_ip;
366
-    }
367
-
368
-    //--------------------------------------------------------------------
369
-
370
-    /**
371
-     * Returns the number of failed login attempts for a given type.
372
-     *
373
-     * @param $ip_address
374
-     * @param $user_id
375
-     * @return int
376
-     */
377
-    public function countLoginAttempts($ip_address, $user_id)
378
-    {
379
-        $count_ip = $this->db->where('type', 'ip')
380
-                             ->where('ip_address', $ip_address)
381
-                             ->count_all_results('auth_login_attempts');
382
-
383
-        if (! $user_id)
384
-        {
385
-            return $count_ip;
386
-        }
387
-
388
-        $count_user = $this->db->where('type', 'user')
389
-                               ->where('user_id', $user_id)
390
-                               ->count_all_results('auth_login_attempts');
391
-
392
-        return ($count_user > $count_ip) ? $count_user : $count_ip;
393
-    }
394
-
395
-    //--------------------------------------------------------------------
44
+	protected $table_name = 'auth_logins';
45
+
46
+	protected $set_created = false;
47
+	protected $set_modified = false;
48
+
49
+	//--------------------------------------------------------------------
50
+
51
+	//--------------------------------------------------------------------
52
+	// Login Attempts
53
+	//--------------------------------------------------------------------
54
+
55
+	/**
56
+	 * Records a login attempt. This is used to implement
57
+	 * throttling of application, ip address and user login attempts.
58
+	 *
59
+	 * @param $ip_address
60
+	 * @param $user_id
61
+	 * @return void
62
+	 */
63
+	public function recordLoginAttempt($ip_address, $user_id = null)
64
+	{
65
+		$datetime = date('Y-m-d H:i:s');
66
+
67
+		// log attempt for app
68
+		$data = [
69
+			'type' => 'app',
70
+			'datetime' => $datetime
71
+		];
72
+
73
+		$this->db->insert('auth_login_attempts', $data);
74
+
75
+		// log attempt for ip address
76
+		if (! empty($ip_address))
77
+		{
78
+			$data = [
79
+				'type' => 'ip',
80
+				'ip_address' => $ip_address,
81
+				'datetime' => $datetime
82
+			];
83
+
84
+			$this->db->insert('auth_login_attempts', $data);
85
+		}
86
+
87
+		// log attempt for user
88
+		if ($user_id)
89
+		{
90
+			$data = [
91
+				'type' => 'user',
92
+				'user_id' => $user_id,
93
+				'datetime' => $datetime
94
+			];
95
+
96
+			$this->db->insert('auth_login_attempts', $data);
97
+		}
98
+	}
99
+
100
+	//--------------------------------------------------------------------
101
+
102
+	/**
103
+	 * Purges all login attempt records from the database.
104
+	 *
105
+	 * @param $ip_address
106
+	 * @param $user_id
107
+	 * @return mixed
108
+	 */
109
+	public function purgeLoginAttempts($ip_address, $user_id)
110
+	{
111
+		if ($ip_address)
112
+		{
113
+			$this->db->where('ip_address', $ip_address);
114
+		}
115
+
116
+		if ($user_id)
117
+		{
118
+			$this->db->or_where('user_id', $user_id);
119
+		}
120
+
121
+		return $this->db->delete('auth_login_attempts');
122
+	}
123
+
124
+	//--------------------------------------------------------------------
125
+
126
+	/**
127
+	 * Checks to see if how many login attempts have been attempted in the
128
+	 * last 60 seconds. If over 100, it is considered to be under a
129
+	 * brute force attempt.
130
+	 *
131
+	 * @param $ip_address
132
+	 * @param $user_id
133
+	 * @return bool
134
+	 */
135
+	public function isBruteForced($ip_address, $user_id)
136
+	{
137
+		$start_time = date('Y-m-d H:i:s', time() - 60);
138
+
139
+		$attempts_ip = $this->db->where('type', 'ip')
140
+								->where('ip_address', $ip_address)
141
+								->where('datetime >=', $start_time)
142
+								->count_all_results('auth_login_attempts');
143
+
144
+		if (! $user_id)
145
+		{
146
+			return $attempts_ip > 100;
147
+		}
148
+
149
+		$attempts_user = $this->db->where('type', 'user')
150
+								  ->where('user_id', $user_id)
151
+								  ->where('datetime >=', $start_time)
152
+								  ->count_all_results('auth_login_attempts');
153
+
154
+		if ($attempts_user > $attempts_ip) 
155
+		{
156
+			return $attempts_user > 100;
157
+		}
158
+		else
159
+		{
160
+			return $attempts_ip > 100;
161
+		}
162
+	}
163
+
164
+	//--------------------------------------------------------------------
165
+
166
+	/**
167
+	 * Attempts to determine if the system is under a distributed
168
+	 * brute force attack.
169
+	 *
170
+	 * To determine if we are in under a brute force attack, we first
171
+	 * find the average number of bad logins per day that never converted to
172
+	 * successful logins over the last 3 months. Then we compare
173
+	 * that to the the average number of logins in the past 24 hours.
174
+	 *
175
+	 * If the number of attempts in the last 24 hours is more than X (see config)
176
+	 * times the average, then institute additional throttling.
177
+	 *
178
+	 * @return int The time to add to any throttling.
179
+	 */
180
+	public function distributedBruteForceTime()
181
+	{
182
+		if (! $time = $this->cache->get('dbrutetime'))
183
+		{
184
+			$time = 0;
185
+
186
+			// Compute our daily average over the last 3 months.
187
+			$avg_start_time = date('Y-m-d 00:00:00', strtotime('-3 months'));
188
+
189
+			$query = $this->db->query("SELECT COUNT(*) / COUNT(DISTINCT DATE(`datetime`)) as num_rows FROM `auth_login_attempts` WHERE `type` = 'app' AND `datetime` >= ?", $avg_start_time);
190
+
191
+			if (! $query->num_rows())
192
+			{
193
+				$average = 0;
194
+			}
195
+			else
196
+			{
197
+				$average = $query->row()->num_rows;
198
+			}
199
+
200
+			// Get the total in the last 24 hours
201
+			$today_start_time = date('Y-m-d H:i:s', strtotime('-24 hours'));
202
+
203
+			$attempts = $this->db->where('type', 'app')
204
+								 ->where('datetime >=', $today_start_time)
205
+								 ->count_all_results('auth_login_attempts');
206
+
207
+			if ($attempts > (config_item('auth.dbrute_multiplier') * $average))
208
+			{
209
+				$time = config_item('auth.distributed_brute_add_time');
210
+			}
211
+
212
+			// Cache it for 3 hours.
213
+			$this->cache->save('dbrutetime', $time, 60*60*3);
214
+		}
215
+
216
+		return $time;
217
+	}
218
+
219
+	//--------------------------------------------------------------------
220
+
221
+	//--------------------------------------------------------------------
222
+	// Logins
223
+	//--------------------------------------------------------------------
224
+
225
+	/**
226
+	 * Records a successful login. This stores in a table so that a
227
+	 * history can be pulled up later if needed for security analyses.
228
+	 *
229
+	 * @param $user
230
+	 */
231
+	public function recordLogin($user)
232
+	{
233
+		$data = [
234
+			'user_id'    => (int)$user['id'],
235
+			'datetime'   => date('Y-m-d H:i:s'),
236
+			'ip_address' => $this->input->ip_address()
237
+		];
238
+
239
+		return $this->db->insert('auth_logins', $data);
240
+	}
241
+
242
+	//--------------------------------------------------------------------
243
+
244
+	//--------------------------------------------------------------------
245
+	// Tokens
246
+	//--------------------------------------------------------------------
247
+
248
+	/**
249
+	 * Generates a new token for the rememberme cookie.
250
+	 *
251
+	 * The token is based on the user's email address (since everyone will have one)
252
+	 * with the '@' turned to a '.', followed by a pipe (|) and a random 128-character
253
+	 * string with letters and numbers.
254
+	 *
255
+	 * @param $user
256
+	 * @return mixed
257
+	 */
258
+	public function generateRememberToken($user)
259
+	{
260
+		$this->load->helper('string');
261
+
262
+		return str_replace('@', '.', $user['email']) .'|' . random_string('alnum', 128);
263
+	}
264
+
265
+	//--------------------------------------------------------------------
266
+
267
+	/**
268
+	 * Hashes the token for the Remember Me Functionality.
269
+	 *
270
+	 * @param $token
271
+	 * @return string
272
+	 */
273
+	public function hashRememberToken($token)
274
+	{
275
+		return sha1(config_item('auth.salt') . $token);
276
+	}
277
+
278
+	//--------------------------------------------------------------------
279
+
280
+	/**
281
+	 * Deletes a single token that matches the email/token combo.
282
+	 *
283
+	 * @param $email
284
+	 * @param $token
285
+	 * @return mixed
286
+	 */
287
+	public function deleteRememberToken($email, $token)
288
+	{
289
+		$where = [
290
+			'email' => $email,
291
+			'hash'  => $this->hashRememberToken($token)
292
+		];
293
+
294
+		$this->db->delete('auth_tokens', $where);
295
+	}
296
+
297
+	//--------------------------------------------------------------------
298
+
299
+	/**
300
+	 * Removes all persistent login tokens (RememberMe) for a single user
301
+	 * across all devices they may have logged in with.
302
+	 *
303
+	 * @param $email
304
+	 * @return mixed
305
+	 */
306
+	public function purgeRememberTokens($email)
307
+	{
308
+		return $this->db->delete('auth_tokens', ['email' => $email]);
309
+	}
310
+
311
+	//--------------------------------------------------------------------
312
+
313
+
314
+	/**
315
+	 * Purges the 'auth_tokens' table of any records that are too old
316
+	 * to be of any use anymore. This equates to 1 week older than
317
+	 * the remember_length set in the config file.
318
+	 */
319
+	public function purgeOldRememberTokens()
320
+	{
321
+		if (! config_item('auth.allow_remembering'))
322
+		{
323
+			return;
324
+		}
325
+
326
+		$date = time() - config_item('auth.remember_length') - 604800; // 1 week
327
+		$date = date('Y-m-d 00:00:00', $date);
328
+
329
+		$this->db->where('created <=', $date)
330
+				 ->delete('auth_tokens');
331
+	}
332
+
333
+	//--------------------------------------------------------------------
334
+
335
+	/**
336
+	 * Gets the timestamp of the last attempted login for this user.
337
+	 *
338
+	 * @param $ip_address
339
+	 * @param $user_id
340
+	 * @return int|null
341
+	 */
342
+	public function lastLoginAttemptTime($ip_address, $user_id)
343
+	{
344
+		$query = $this->db->where('type', 'ip')
345
+						  ->where('ip_address', $ip_address)
346
+						  ->order_by('datetime', 'desc')
347
+						  ->limit(1)
348
+						  ->get('auth_login_attempts');
349
+
350
+		$last_ip = ! $query->num_rows() ? 0 : strtotime($query->row()->datetime);
351
+
352
+		if (! $user_id)
353
+		{
354
+			return $last_ip;
355
+		}
356
+
357
+		$query = $this->db->where('type', 'user')
358
+						  ->where('user_id', $user_id)
359
+						  ->order_by('datetime', 'desc')
360
+						  ->limit(1)
361
+						  ->get('auth_login_attempts');
362
+
363
+		$last_user = ! $query->num_rows() ? 0 : strtotime($query->row()->datetime);
364
+
365
+		return ($last_user > $last_ip) ? $last_user : $last_ip;
366
+	}
367
+
368
+	//--------------------------------------------------------------------
369
+
370
+	/**
371
+	 * Returns the number of failed login attempts for a given type.
372
+	 *
373
+	 * @param $ip_address
374
+	 * @param $user_id
375
+	 * @return int
376
+	 */
377
+	public function countLoginAttempts($ip_address, $user_id)
378
+	{
379
+		$count_ip = $this->db->where('type', 'ip')
380
+							 ->where('ip_address', $ip_address)
381
+							 ->count_all_results('auth_login_attempts');
382
+
383
+		if (! $user_id)
384
+		{
385
+			return $count_ip;
386
+		}
387
+
388
+		$count_user = $this->db->where('type', 'user')
389
+							   ->where('user_id', $user_id)
390
+							   ->count_all_results('auth_login_attempts');
391
+
392
+		return ($count_user > $count_ip) ? $count_user : $count_ip;
393
+	}
394
+
395
+	//--------------------------------------------------------------------
396 396
 
397 397
 }
Please login to merge, or discard this patch.