Passed
Pull Request — release-2.1 (#5093)
by 01
05:01
created

isReservedName()   F

Complexity

Conditions 27
Paths 189

Size

Total Lines 97
Code Lines 52

Duplication

Lines 0
Ratio 0 %

Importance

Changes 0
Metric Value
cc 27
eloc 52
nc 189
nop 4
dl 0
loc 97
rs 3.425
c 0
b 0
f 0

How to fix   Long Method    Complexity   

Long Method

Small methods make your code easier to understand, in particular if combined with a good name. Besides, if your method is small, finding a good name is usually much easier.

For example, if you find yourself adding comments to a method's body, this is usually a good sign to extract the commented part to a new method, and use the comment as a starting point when coming up with a good name for this new method.

Commonly applied refactorings include:

1
<?php
2
3
/**
4
 * This file contains some useful functions for members and membergroups.
5
 *
6
 * Simple Machines Forum (SMF)
7
 *
8
 * @package SMF
9
 * @author Simple Machines http://www.simplemachines.org
10
 * @copyright 2018 Simple Machines and individual contributors
11
 * @license http://www.simplemachines.org/about/smf/license.php BSD
12
 *
13
 * @version 2.1 Beta 4
14
 */
15
16
if (!defined('SMF'))
17
	die('No direct access...');
18
19
/**
20
 * Delete one or more members.
21
 * Requires profile_remove_own or profile_remove_any permission for
22
 * respectively removing your own account or any account.
23
 * Non-admins cannot delete admins.
24
 * The function:
25
 *   - changes author of messages, topics and polls to guest authors.
26
 *   - removes all log entries concerning the deleted members, except the
27
 * error logs, ban logs and moderation logs.
28
 *   - removes these members' personal messages (only the inbox), avatars,
29
 * ban entries, theme settings, moderator positions, poll and votes.
30
 *   - updates member statistics afterwards.
31
 *
32
 * @param int|array $users The ID of a user or an array of user IDs
33
 * @param bool $check_not_admin Whether to verify that the users aren't admins
34
 */
35
function deleteMembers($users, $check_not_admin = false)
36
{
37
	global $sourcedir, $modSettings, $user_info, $smcFunc;
38
39
	// Try give us a while to sort this out...
40
	@set_time_limit(600);
0 ignored issues
show
Security Best Practice introduced by
It seems like you do not handle an error condition for set_time_limit(). This can introduce security issues, and is generally not recommended. ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-unhandled  annotation

40
	/** @scrutinizer ignore-unhandled */ @set_time_limit(600);

If you suppress an error, we recommend checking for the error condition explicitly:

// For example instead of
@mkdir($dir);

// Better use
if (@mkdir($dir) === false) {
    throw new \RuntimeException('The directory '.$dir.' could not be created.');
}
Loading history...
41
42
	// Try to get some more memory.
43
	setMemoryLimit('128M');
44
45
	// If it's not an array, make it so!
46
	if (!is_array($users))
47
		$users = array($users);
48
	else
49
		$users = array_unique($users);
50
51
	// Make sure there's no void user in here.
52
	$users = array_diff($users, array(0));
53
54
	// How many are they deleting?
55
	if (empty($users))
56
		return;
57
	elseif (count($users) == 1)
58
	{
59
		list ($user) = $users;
60
61
		if ($user == $user_info['id'])
62
			isAllowedTo('profile_remove_own');
63
		else
64
			isAllowedTo('profile_remove_any');
65
	}
66
	else
67
	{
68
		foreach ($users as $k => $v)
69
			$users[$k] = (int) $v;
70
71
		// Deleting more than one?  You can't have more than one account...
72
		isAllowedTo('profile_remove_any');
73
	}
74
75
	// Get their names for logging purposes.
76
	$request = $smcFunc['db_query']('', '
77
		SELECT id_member, member_name, CASE WHEN id_group = {int:admin_group} OR FIND_IN_SET({int:admin_group}, additional_groups) != 0 THEN 1 ELSE 0 END AS is_admin
78
		FROM {db_prefix}members
79
		WHERE id_member IN ({array_int:user_list})
80
		LIMIT {int:limit}',
81
		array(
82
			'user_list' => $users,
83
			'admin_group' => 1,
84
			'limit' => count($users),
85
		)
86
	);
87
	$admins = array();
88
	$user_log_details = array();
89
	while ($row = $smcFunc['db_fetch_assoc']($request))
90
	{
91
		if ($row['is_admin'])
92
			$admins[] = $row['id_member'];
93
		$user_log_details[$row['id_member']] = array($row['id_member'], $row['member_name']);
94
	}
95
	$smcFunc['db_free_result']($request);
96
97
	if (empty($user_log_details))
98
		return;
99
100
	// Make sure they aren't trying to delete administrators if they aren't one.  But don't bother checking if it's just themself.
101
	if (!empty($admins) && ($check_not_admin || (!allowedTo('admin_forum') && (count($users) != 1 || $users[0] != $user_info['id']))))
102
	{
103
		$users = array_diff($users, $admins);
104
		foreach ($admins as $id)
105
			unset($user_log_details[$id]);
106
	}
107
108
	// No one left?
109
	if (empty($users))
110
		return;
111
112
	// Log the action - regardless of who is deleting it.
113
	$log_changes = array();
114
	foreach ($user_log_details as $user)
115
	{
116
		$log_changes[] = array(
117
			'action' => 'delete_member',
118
			'log_type' => 'admin',
119
			'extra' => array(
120
				'member' => $user[0],
121
				'name' => $user[1],
122
				'member_acted' => $user_info['name'],
123
			),
124
		);
125
126
		// Remove any cached data if enabled.
127
		if (!empty($modSettings['cache_enable']) && $modSettings['cache_enable'] >= 2)
128
			cache_put_data('user_settings-' . $user[0], null, 60);
129
	}
130
131
	// Make these peoples' posts guest posts.
132
	$smcFunc['db_query']('', '
133
		UPDATE {db_prefix}messages
134
		SET id_member = {int:guest_id}' . (!empty($modSettings['deleteMembersRemovesEmail']) ? ',
135
		poster_email = {string:blank_email}' : '') . '
136
		WHERE id_member IN ({array_int:users})',
137
		array(
138
			'guest_id' => 0,
139
			'blank_email' => '',
140
			'users' => $users,
141
		)
142
	);
143
	$smcFunc['db_query']('', '
144
		UPDATE {db_prefix}polls
145
		SET id_member = {int:guest_id}
146
		WHERE id_member IN ({array_int:users})',
147
		array(
148
			'guest_id' => 0,
149
			'users' => $users,
150
		)
151
	);
152
153
	// Make these peoples' posts guest first posts and last posts.
154
	$smcFunc['db_query']('', '
155
		UPDATE {db_prefix}topics
156
		SET id_member_started = {int:guest_id}
157
		WHERE id_member_started IN ({array_int:users})',
158
		array(
159
			'guest_id' => 0,
160
			'users' => $users,
161
		)
162
	);
163
	$smcFunc['db_query']('', '
164
		UPDATE {db_prefix}topics
165
		SET id_member_updated = {int:guest_id}
166
		WHERE id_member_updated IN ({array_int:users})',
167
		array(
168
			'guest_id' => 0,
169
			'users' => $users,
170
		)
171
	);
172
173
	$smcFunc['db_query']('', '
174
		UPDATE {db_prefix}log_actions
175
		SET id_member = {int:guest_id}
176
		WHERE id_member IN ({array_int:users})',
177
		array(
178
			'guest_id' => 0,
179
			'users' => $users,
180
		)
181
	);
182
183
	$smcFunc['db_query']('', '
184
		UPDATE {db_prefix}log_banned
185
		SET id_member = {int:guest_id}
186
		WHERE id_member IN ({array_int:users})',
187
		array(
188
			'guest_id' => 0,
189
			'users' => $users,
190
		)
191
	);
192
193
	$smcFunc['db_query']('', '
194
		UPDATE {db_prefix}log_errors
195
		SET id_member = {int:guest_id}
196
		WHERE id_member IN ({array_int:users})',
197
		array(
198
			'guest_id' => 0,
199
			'users' => $users,
200
		)
201
	);
202
203
	// Delete the member.
204
	$smcFunc['db_query']('', '
205
		DELETE FROM {db_prefix}members
206
		WHERE id_member IN ({array_int:users})',
207
		array(
208
			'users' => $users,
209
		)
210
	);
211
212
	// Delete any drafts...
213
	$smcFunc['db_query']('', '
214
		DELETE FROM {db_prefix}user_drafts
215
		WHERE id_member IN ({array_int:users})',
216
		array(
217
			'users' => $users,
218
		)
219
	);
220
221
	// Delete anything they liked.
222
	$smcFunc['db_query']('', '
223
		DELETE FROM {db_prefix}user_likes
224
		WHERE id_member IN ({array_int:users})',
225
		array(
226
			'users' => $users,
227
		)
228
	);
229
230
	// Delete their mentions
231
	$smcFunc['db_query']('', '
232
		DELETE FROM {db_prefix}mentions
233
		WHERE id_member IN ({array_int:members})',
234
		array(
235
			'members' => $users,
236
		)
237
	);
238
239
	// Delete the logs...
240
	$smcFunc['db_query']('', '
241
		DELETE FROM {db_prefix}log_actions
242
		WHERE id_log = {int:log_type}
243
			AND id_member IN ({array_int:users})',
244
		array(
245
			'log_type' => 2,
246
			'users' => $users,
247
		)
248
	);
249
	$smcFunc['db_query']('', '
250
		DELETE FROM {db_prefix}log_boards
251
		WHERE id_member IN ({array_int:users})',
252
		array(
253
			'users' => $users,
254
		)
255
	);
256
	$smcFunc['db_query']('', '
257
		DELETE FROM {db_prefix}log_comments
258
		WHERE id_recipient IN ({array_int:users})
259
			AND comment_type = {string:warntpl}',
260
		array(
261
			'users' => $users,
262
			'warntpl' => 'warntpl',
263
		)
264
	);
265
	$smcFunc['db_query']('', '
266
		DELETE FROM {db_prefix}log_group_requests
267
		WHERE id_member IN ({array_int:users})',
268
		array(
269
			'users' => $users,
270
		)
271
	);
272
	$smcFunc['db_query']('', '
273
		DELETE FROM {db_prefix}log_mark_read
274
		WHERE id_member IN ({array_int:users})',
275
		array(
276
			'users' => $users,
277
		)
278
	);
279
	$smcFunc['db_query']('', '
280
		DELETE FROM {db_prefix}log_notify
281
		WHERE id_member IN ({array_int:users})',
282
		array(
283
			'users' => $users,
284
		)
285
	);
286
	$smcFunc['db_query']('', '
287
		DELETE FROM {db_prefix}log_online
288
		WHERE id_member IN ({array_int:users})',
289
		array(
290
			'users' => $users,
291
		)
292
	);
293
	$smcFunc['db_query']('', '
294
		DELETE FROM {db_prefix}log_subscribed
295
		WHERE id_member IN ({array_int:users})',
296
		array(
297
			'users' => $users,
298
		)
299
	);
300
	$smcFunc['db_query']('', '
301
		DELETE FROM {db_prefix}log_topics
302
		WHERE id_member IN ({array_int:users})',
303
		array(
304
			'users' => $users,
305
		)
306
	);
307
308
	// Make their votes appear as guest votes - at least it keeps the totals right.
309
	// @todo Consider adding back in cookie protection.
310
	$smcFunc['db_query']('', '
311
		UPDATE {db_prefix}log_polls
312
		SET id_member = {int:guest_id}
313
		WHERE id_member IN ({array_int:users})',
314
		array(
315
			'guest_id' => 0,
316
			'users' => $users,
317
		)
318
	);
319
320
	// Delete personal messages.
321
	require_once($sourcedir . '/PersonalMessage.php');
322
	deleteMessages(null, null, $users);
323
324
	$smcFunc['db_query']('', '
325
		UPDATE {db_prefix}personal_messages
326
		SET id_member_from = {int:guest_id}
327
		WHERE id_member_from IN ({array_int:users})',
328
		array(
329
			'guest_id' => 0,
330
			'users' => $users,
331
		)
332
	);
333
334
	// They no longer exist, so we don't know who it was sent to.
335
	$smcFunc['db_query']('', '
336
		DELETE FROM {db_prefix}pm_recipients
337
		WHERE id_member IN ({array_int:users})',
338
		array(
339
			'users' => $users,
340
		)
341
	);
342
343
	// Delete avatar.
344
	require_once($sourcedir . '/ManageAttachments.php');
345
	removeAttachments(array('id_member' => $users));
346
347
	// It's over, no more moderation for you.
348
	$smcFunc['db_query']('', '
349
		DELETE FROM {db_prefix}moderators
350
		WHERE id_member IN ({array_int:users})',
351
		array(
352
			'users' => $users,
353
		)
354
	);
355
	$smcFunc['db_query']('', '
356
		DELETE FROM {db_prefix}group_moderators
357
		WHERE id_member IN ({array_int:users})',
358
		array(
359
			'users' => $users,
360
		)
361
	);
362
363
	// If you don't exist we can't ban you.
364
	$smcFunc['db_query']('', '
365
		DELETE FROM {db_prefix}ban_items
366
		WHERE id_member IN ({array_int:users})',
367
		array(
368
			'users' => $users,
369
		)
370
	);
371
372
	// Remove individual theme settings.
373
	$smcFunc['db_query']('', '
374
		DELETE FROM {db_prefix}themes
375
		WHERE id_member IN ({array_int:users})',
376
		array(
377
			'users' => $users,
378
		)
379
	);
380
381
	// These users are nobody's buddy nomore.
382
	$request = $smcFunc['db_query']('', '
383
		SELECT id_member, pm_ignore_list, buddy_list
384
		FROM {db_prefix}members
385
		WHERE FIND_IN_SET({raw:pm_ignore_list}, pm_ignore_list) != 0 OR FIND_IN_SET({raw:buddy_list}, buddy_list) != 0',
386
		array(
387
			'pm_ignore_list' => implode(', pm_ignore_list) != 0 OR FIND_IN_SET(', $users),
388
			'buddy_list' => implode(', buddy_list) != 0 OR FIND_IN_SET(', $users),
389
		)
390
	);
391
	while ($row = $smcFunc['db_fetch_assoc']($request))
392
		$smcFunc['db_query']('', '
393
			UPDATE {db_prefix}members
394
			SET
395
				pm_ignore_list = {string:pm_ignore_list},
396
				buddy_list = {string:buddy_list}
397
			WHERE id_member = {int:id_member}',
398
			array(
399
				'id_member' => $row['id_member'],
400
				'pm_ignore_list' => implode(',', array_diff(explode(',', $row['pm_ignore_list']), $users)),
401
				'buddy_list' => implode(',', array_diff(explode(',', $row['buddy_list']), $users)),
402
			)
403
		);
404
	$smcFunc['db_free_result']($request);
405
406
	// Make sure no member's birthday is still sticking in the calendar...
407
	updateSettings(array(
408
		'calendar_updated' => time(),
409
	));
410
411
	// Integration rocks!
412
	call_integration_hook('integrate_delete_members', array($users));
413
414
	updateStats('member');
415
416
	require_once($sourcedir . '/Logging.php');
417
	logActions($log_changes);
418
}
419
420
/**
421
 * Registers a member to the forum.
422
 * Allows two types of interface: 'guest' and 'admin'. The first
423
 * includes hammering protection, the latter can perform the
424
 * registration silently.
425
 * The strings used in the options array are assumed to be escaped.
426
 * Allows to perform several checks on the input, e.g. reserved names.
427
 * The function will adjust member statistics.
428
 * If an error is detected will fatal error on all errors unless return_errors is true.
429
 *
430
 * @param array $regOptions An array of registration options
431
 * @param bool $return_errors Whether to return the errors
432
 * @return int|array The ID of the newly registered user or an array of error info if $return_errors is true
433
 */
434
function registerMember(&$regOptions, $return_errors = false)
435
{
436
	global $scripturl, $txt, $modSettings, $context, $sourcedir;
437
	global $user_info, $smcFunc;
438
439
	loadLanguage('Login');
440
441
	// We'll need some external functions.
442
	require_once($sourcedir . '/Subs-Auth.php');
443
	require_once($sourcedir . '/Subs-Post.php');
444
445
	// Put any errors in here.
446
	$reg_errors = array();
447
448
	// Registration from the admin center, let them sweat a little more.
449
	if ($regOptions['interface'] == 'admin')
450
	{
451
		is_not_guest();
452
		isAllowedTo('moderate_forum');
453
	}
454
	// If you're an admin, you're special ;).
455
	elseif ($regOptions['interface'] == 'guest')
456
	{
457
		// You cannot register twice...
458
		if (empty($user_info['is_guest']))
459
			redirectexit();
460
461
		// Make sure they didn't just register with this session.
462
		if (!empty($_SESSION['just_registered']) && empty($modSettings['disableRegisterCheck']))
463
			fatal_lang_error('register_only_once', false);
464
	}
465
466
	// Spaces and other odd characters are evil...
467
	$regOptions['username'] = trim(preg_replace('~[\t\n\r \x0B\0' . ($context['utf8'] ? '\x{A0}\x{AD}\x{2000}-\x{200F}\x{201F}\x{202F}\x{3000}\x{FEFF}' : '\x00-\x08\x0B\x0C\x0E-\x19\xA0') . ']+~' . ($context['utf8'] ? 'u' : ''), ' ', $regOptions['username']));
468
469
	// 4-byte Unicode characters are not permitted within user names where db_mb4 is false and character set is non-UTF
470
	if (!$smcFunc['db_mb4'] && max(array_map('ord', str_split($regOptions['username']))) >= 240 && stripos($context['character_set'], 'utf') !== false)
471
		$regOptions['username'] = preg_replace_callback('/[\x{10000}-\x{10FFFF}]/u', function($name) use($smcFunc){return $smcFunc['htmlspecialchars']($name[0], ENT_COMPAT, $context['character_set']);}, $regOptions['username']);
0 ignored issues
show
Comprehensibility Best Practice introduced by
The variable $context seems to be never defined.
Loading history...
472
	// if the character set is non-UTF then characters would be replaced by ???'s therefore do not allow it but purposely change them for logging
473
	elseif (max(array_map('ord', str_split($regOptions['username']))) >= 240 && stripos($context['character_set'], 'utf') === false)
474
	{
475
		$reg_errors[] = array('lang', 'name_invalid_character');
476
		preg_replace_callback('/[\x{10000}-\x{10FFFF}]/u', function($name) use($smcFunc){return $smcFunc['htmlspecialchars']($name[0], ENT_COMPAT, $context['character_set']);}, $regOptions['username']);
0 ignored issues
show
Comprehensibility Best Practice introduced by
The variable $context seems to be never defined.
Loading history...
477
	}
478
479
	// @todo Separate the sprintf?
480
	if (empty($regOptions['email']) || !filter_var($regOptions['email'], FILTER_VALIDATE_EMAIL) || strlen($regOptions['email']) > 255)
481
		$reg_errors[] = array('lang', 'profile_error_bad_email');
482
483
	$username_validation_errors = validateUsername(0, $regOptions['username'], true, !empty($regOptions['check_reserved_name']));
484
	if (!empty($username_validation_errors))
485
		$reg_errors = array_merge($reg_errors, $username_validation_errors);
486
487
	// Generate a validation code if it's supposed to be emailed.
488
	$validation_code = '';
489
	if ($regOptions['require'] == 'activation')
490
		$validation_code = generateValidationCode();
491
492
	// If you haven't put in a password generate one.
493
	if ($regOptions['interface'] == 'admin' && $regOptions['password'] == '')
494
	{
495
		mt_srand(time() + 1277);
496
		$regOptions['password'] = generateValidationCode();
497
		$regOptions['password_check'] = $regOptions['password'];
498
	}
499
	// Does the first password match the second?
500
	elseif ($regOptions['password'] != $regOptions['password_check'])
501
		$reg_errors[] = array('lang', 'passwords_dont_match');
502
503
	// That's kind of easy to guess...
504
	if ($regOptions['password'] == '')
505
	{
506
		$reg_errors[] = array('lang', 'no_password');
507
	}
508
509
	// Now perform hard password validation as required.
510
	if (!empty($regOptions['check_password_strength']) && $regOptions['password'] != '')
511
	{
512
		$passwordError = validatePassword($regOptions['password'], $regOptions['username'], array($regOptions['email']));
513
514
		// Password isn't legal?
515
		if ($passwordError != null)
0 ignored issues
show
Bug introduced by
It seems like you are loosely comparing $passwordError of type null|string against null; this is ambiguous if the string can be empty. Consider using a strict comparison !== instead.
Loading history...
516
			$reg_errors[] = array('lang', 'profile_error_password_' . $passwordError);
517
	}
518
519
	// You may not be allowed to register this email.
520
	if (!empty($regOptions['check_email_ban']))
521
		isBannedEmail($regOptions['email'], 'cannot_register', $txt['ban_register_prohibited']);
522
523
	// Check if the email address is in use.
524
	$request = $smcFunc['db_query']('', '
525
		SELECT id_member
526
		FROM {db_prefix}members
527
		WHERE email_address = {string:email_address}
528
			OR email_address = {string:username}
529
		LIMIT 1',
530
		array(
531
			'email_address' => $regOptions['email'],
532
			'username' => $regOptions['username'],
533
		)
534
	);
535
	// @todo Separate the sprintf?
536
	if ($smcFunc['db_num_rows']($request) != 0)
537
		$reg_errors[] = array('lang', 'email_in_use', false, array($smcFunc['htmlspecialchars']($regOptions['email'])));
538
539
	$smcFunc['db_free_result']($request);
540
541
	// Perhaps someone else wants to check this user.
542
	call_integration_hook('integrate_register_check', array(&$regOptions, &$reg_errors));
543
544
	// If we found any errors we need to do something about it right away!
545
	foreach ($reg_errors as $key => $error)
546
	{
547
		/* Note for each error:
548
			0 = 'lang' if it's an index, 'done' if it's clear text.
549
			1 = The text/index.
550
			2 = Whether to log.
551
			3 = sprintf data if necessary. */
552
		if ($error[0] == 'lang')
553
			loadLanguage('Errors');
554
		$message = $error[0] == 'lang' ? (empty($error[3]) ? $txt[$error[1]] : vsprintf($txt[$error[1]], $error[3])) : $error[1];
555
556
		// What to do, what to do, what to do.
557
		if ($return_errors)
558
		{
559
			if (!empty($error[2]))
560
				log_error($message, $error[2]);
561
			$reg_errors[$key] = $message;
562
		}
563
		else
564
			fatal_error($message, empty($error[2]) ? false : $error[2]);
0 ignored issues
show
Bug introduced by
It seems like empty($error[2]) ? false : $error[2] can also be of type false; however, parameter $log of fatal_error() does only seem to accept string, maybe add an additional type check? ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-type  annotation

564
			fatal_error($message, /** @scrutinizer ignore-type */ empty($error[2]) ? false : $error[2]);
Loading history...
565
	}
566
567
	// If there's any errors left return them at once!
568
	if (!empty($reg_errors))
569
		return $reg_errors;
570
571
	$reservedVars = array(
572
		'actual_theme_url',
573
		'actual_images_url',
574
		'base_theme_dir',
575
		'base_theme_url',
576
		'default_images_url',
577
		'default_theme_dir',
578
		'default_theme_url',
579
		'default_template',
580
		'images_url',
581
		'number_recent_posts',
582
		'smiley_sets_default',
583
		'theme_dir',
584
		'theme_id',
585
		'theme_layers',
586
		'theme_templates',
587
		'theme_url',
588
	);
589
590
	// Can't change reserved vars.
591
	if (isset($regOptions['theme_vars']) && count(array_intersect(array_keys($regOptions['theme_vars']), $reservedVars)) != 0)
592
		fatal_lang_error('no_theme');
593
594
	// Some of these might be overwritten. (the lower ones that are in the arrays below.)
595
	$regOptions['register_vars'] = array(
596
		'member_name' => $regOptions['username'],
597
		'email_address' => $regOptions['email'],
598
		'passwd' => hash_password($regOptions['username'], $regOptions['password']),
599
		'password_salt' => substr(md5(mt_rand()), 0, 4) ,
600
		'posts' => 0,
601
		'date_registered' => time(),
602
		'member_ip' => $regOptions['interface'] == 'admin' ? '127.0.0.1' : $user_info['ip'],
603
		'member_ip2' => $regOptions['interface'] == 'admin' ? '127.0.0.1' : $_SERVER['BAN_CHECK_IP'],
604
		'validation_code' => $validation_code,
605
		'real_name' => $regOptions['username'],
606
		'personal_text' => $modSettings['default_personal_text'],
607
		'id_theme' => 0,
608
		'id_post_group' => 4,
609
		'lngfile' => '',
610
		'buddy_list' => '',
611
		'pm_ignore_list' => '',
612
		'website_title' => '',
613
		'website_url' => '',
614
		'time_format' => '',
615
		'signature' => '',
616
		'avatar' => '',
617
		'usertitle' => '',
618
		'secret_question' => '',
619
		'secret_answer' => '',
620
		'additional_groups' => '',
621
		'ignore_boards' => '',
622
		'smiley_set' => '',
623
		'timezone' => !empty($regOptions['timezone']) ? $regOptions['timezone'] : 'UTC',
624
	);
625
626
	// Setup the activation status on this new account so it is correct - firstly is it an under age account?
627
	if ($regOptions['require'] == 'coppa')
628
	{
629
		$regOptions['register_vars']['is_activated'] = 5;
630
		// @todo This should be changed.  To what should be it be changed??
631
		$regOptions['register_vars']['validation_code'] = '';
632
	}
633
	// Maybe it can be activated right away?
634
	elseif ($regOptions['require'] == 'nothing')
635
		$regOptions['register_vars']['is_activated'] = 1;
636
	// Maybe it must be activated by email?
637
	elseif ($regOptions['require'] == 'activation')
638
		$regOptions['register_vars']['is_activated'] = 0;
639
	// Otherwise it must be awaiting approval!
640
	else
641
		$regOptions['register_vars']['is_activated'] = 3;
642
643
	if (isset($regOptions['memberGroup']))
644
	{
645
		// Make sure the id_group will be valid, if this is an administrator.
646
		$regOptions['register_vars']['id_group'] = $regOptions['memberGroup'] == 1 && !allowedTo('admin_forum') ? 0 : $regOptions['memberGroup'];
647
648
		// Check if this group is assignable.
649
		$unassignableGroups = array(-1, 3);
650
		$request = $smcFunc['db_query']('', '
651
			SELECT id_group
652
			FROM {db_prefix}membergroups
653
			WHERE min_posts != {int:min_posts}' . (allowedTo('admin_forum') ? '' : '
654
				OR group_type = {int:is_protected}'),
655
			array(
656
				'min_posts' => -1,
657
				'is_protected' => 1,
658
			)
659
		);
660
		while ($row = $smcFunc['db_fetch_assoc']($request))
661
			$unassignableGroups[] = $row['id_group'];
662
		$smcFunc['db_free_result']($request);
663
664
		if (in_array($regOptions['register_vars']['id_group'], $unassignableGroups))
665
			$regOptions['register_vars']['id_group'] = 0;
666
	}
667
668
	// Integrate optional member settings to be set.
669
	if (!empty($regOptions['extra_register_vars']))
670
		foreach ($regOptions['extra_register_vars'] as $var => $value)
671
			$regOptions['register_vars'][$var] = $value;
672
673
	// Integrate optional user theme options to be set.
674
	$theme_vars = array();
675
	if (!empty($regOptions['theme_vars']))
676
		foreach ($regOptions['theme_vars'] as $var => $value)
677
			$theme_vars[$var] = $value;
678
679
	// Right, now let's prepare for insertion.
680
	$knownInts = array(
681
		'date_registered', 'posts', 'id_group', 'last_login', 'instant_messages', 'unread_messages',
682
		'new_pm', 'pm_prefs', 'show_online',
683
		'id_theme', 'is_activated', 'id_msg_last_visit', 'id_post_group', 'total_time_logged_in', 'warning',
684
	);
685
	$knownFloats = array(
686
		'time_offset',
687
	);
688
	$knownInets = array(
689
		'member_ip','member_ip2',
690
	);
691
692
	// Call an optional function to validate the users' input.
693
	call_integration_hook('integrate_register', array(&$regOptions, &$theme_vars, &$knownInts, &$knownFloats));
694
695
	$column_names = array();
696
	$values = array();
697
	foreach ($regOptions['register_vars'] as $var => $val)
698
	{
699
		$type = 'string';
700
		if (in_array($var, $knownInts))
701
			$type = 'int';
702
		elseif (in_array($var, $knownFloats))
703
			$type = 'float';
704
		elseif (in_array($var, $knownInets))
705
			$type = 'inet';
706
		elseif ($var == 'birthdate')
707
			$type = 'date';
708
709
		$column_names[$var] = $type;
710
		$values[$var] = $val;
711
	}
712
713
	// Register them into the database.
714
	$memberID = $smcFunc['db_insert']('',
715
		'{db_prefix}members',
716
		$column_names,
717
		$values,
718
		array('id_member'),
719
		1
720
	);
721
722
	// Call an optional function as notification of registration.
723
	call_integration_hook('integrate_post_register', array(&$regOptions, &$theme_vars, &$memberID));
724
725
	// Update the number of members and latest member's info - and pass the name, but remove the 's.
726
	if ($regOptions['register_vars']['is_activated'] == 1)
727
		updateStats('member', $memberID, $regOptions['register_vars']['real_name']);
728
	else
729
		updateStats('member');
730
731
	// Theme variables too?
732
	if (!empty($theme_vars))
733
	{
734
		$inserts = array();
735
		foreach ($theme_vars as $var => $val)
736
			$inserts[] = array($memberID, $var, $val);
737
		$smcFunc['db_insert']('insert',
738
			'{db_prefix}themes',
739
			array('id_member' => 'int', 'variable' => 'string-255', 'value' => 'string-65534'),
740
			$inserts,
741
			array('id_member', 'variable')
742
		);
743
	}
744
745
	// If it's enabled, increase the registrations for today.
746
	trackStats(array('registers' => '+'));
747
748
	// Administrative registrations are a bit different...
749
	if ($regOptions['interface'] == 'admin')
750
	{
751
		if ($regOptions['require'] == 'activation')
752
			$email_message = 'admin_register_activate';
753
		elseif (!empty($regOptions['send_welcome_email']))
754
			$email_message = 'admin_register_immediate';
755
756
		if (isset($email_message))
757
		{
758
			$replacements = array(
759
				'REALNAME' => $regOptions['register_vars']['real_name'],
760
				'USERNAME' => $regOptions['username'],
761
				'PASSWORD' => $regOptions['password'],
762
				'FORGOTPASSWORDLINK' => $scripturl . '?action=reminder',
763
				'ACTIVATIONLINK' => $scripturl . '?action=activate;u=' . $memberID . ';code=' . $validation_code,
764
				'ACTIVATIONLINKWITHOUTCODE' => $scripturl . '?action=activate;u=' . $memberID,
765
				'ACTIVATIONCODE' => $validation_code,
766
			);
767
768
			$emaildata = loadEmailTemplate($email_message, $replacements);
769
770
			sendmail($regOptions['email'], $emaildata['subject'], $emaildata['body'], null, $email_message . $memberID, $emaildata['is_html'], 0);
771
		}
772
773
		// All admins are finished here.
774
		return $memberID;
775
	}
776
777
	// Can post straight away - welcome them to your fantastic community...
778
	if ($regOptions['require'] == 'nothing')
779
	{
780
		if (!empty($regOptions['send_welcome_email']))
781
		{
782
			$replacements = array(
783
				'REALNAME' => $regOptions['register_vars']['real_name'],
784
				'USERNAME' => $regOptions['username'],
785
				'PASSWORD' => $regOptions['password'],
786
				'FORGOTPASSWORDLINK' => $scripturl . '?action=reminder',
787
			);
788
			$emaildata = loadEmailTemplate('register_immediate', $replacements);
789
			sendmail($regOptions['email'], $emaildata['subject'], $emaildata['body'], null, 'register', $emaildata['is_html'], 0);
790
		}
791
792
		// Send admin their notification.
793
		adminNotify('standard', $memberID, $regOptions['username']);
794
	}
795
	// Need to activate their account - or fall under COPPA.
796
	elseif ($regOptions['require'] == 'activation' || $regOptions['require'] == 'coppa')
797
	{
798
		$replacements = array(
799
			'REALNAME' => $regOptions['register_vars']['real_name'],
800
			'USERNAME' => $regOptions['username'],
801
			'PASSWORD' => $regOptions['password'],
802
			'FORGOTPASSWORDLINK' => $scripturl . '?action=reminder',
803
		);
804
805
		if ($regOptions['require'] == 'activation')
806
			$replacements += array(
807
				'ACTIVATIONLINK' => $scripturl . '?action=activate;u=' . $memberID . ';code=' . $validation_code,
808
				'ACTIVATIONLINKWITHOUTCODE' => $scripturl . '?action=activate;u=' . $memberID,
809
				'ACTIVATIONCODE' => $validation_code,
810
			);
811
		else
812
			$replacements += array(
813
				'COPPALINK' => $scripturl . '?action=coppa;u=' . $memberID,
814
			);
815
816
		$emaildata = loadEmailTemplate('register_' . ($regOptions['require'] == 'activation' ? 'activate' : 'coppa'), $replacements);
817
818
		sendmail($regOptions['email'], $emaildata['subject'], $emaildata['body'], null, 'reg_' . $regOptions['require'] . $memberID, $emaildata['is_html'], 0);
819
	}
820
	// Must be awaiting approval.
821
	else
822
	{
823
		$replacements = array(
824
			'REALNAME' => $regOptions['register_vars']['real_name'],
825
			'USERNAME' => $regOptions['username'],
826
			'PASSWORD' => $regOptions['password'],
827
			'FORGOTPASSWORDLINK' => $scripturl . '?action=reminder',
828
		);
829
830
		$emaildata = loadEmailTemplate('register_pending', $replacements);
831
832
		sendmail($regOptions['email'], $emaildata['subject'], $emaildata['body'], null, 'reg_pending', $emaildata['is_html'], 0);
833
834
		// Admin gets informed here...
835
		adminNotify('approval', $memberID, $regOptions['username']);
836
	}
837
838
	// Okay, they're for sure registered... make sure the session is aware of this for security. (Just married :P!)
839
	$_SESSION['just_registered'] = 1;
840
841
	// If they are for sure registered, let other people to know about it
842
	call_integration_hook('integrate_register_after', array($regOptions, $memberID));
843
844
	return $memberID;
845
}
846
847
848
/**
849
 * Check if a name is in the reserved words list.
850
 * (name, current member id, name/username?.)
851
 * - checks if name is a reserved name or username.
852
 * - if is_name is false, the name is assumed to be a username.
853
 * - the id_member variable is used to ignore duplicate matches with the
854
 * current member.
855
 *
856
 * @param string $name The name to check
857
 * @param int $current_ID_MEMBER The ID of the current member (to avoid false positives with the current member)
858
 * @param bool $is_name Whether we're checking against reserved names or just usernames
859
 * @param bool $fatal Whether to die with a fatal error if the name is reserved
860
 * @return bool|void False if name is not reserved, otherwise true if $fatal is false or dies with a fatal_lang_error if $fatal is true
861
 */
862
function isReservedName($name, $current_ID_MEMBER = 0, $is_name = true, $fatal = true)
863
{
864
	global $modSettings, $smcFunc;
865
866
	$name = preg_replace_callback('~(&#(\d{1,7}|x[0-9a-fA-F]{1,6});)~', 'replaceEntities__callback', $name);
867
	$checkName = $smcFunc['strtolower']($name);
868
869
	// Administrators are never restricted ;).
870
	if (!allowedTo('moderate_forum') && ((!empty($modSettings['reserveName']) && $is_name) || !empty($modSettings['reserveUser']) && !$is_name))
871
	{
872
		$reservedNames = explode("\n", $modSettings['reserveNames']);
873
		// Case sensitive check?
874
		$checkMe = empty($modSettings['reserveCase']) ? $checkName : $name;
875
876
		// Check each name in the list...
877
		foreach ($reservedNames as $reserved)
878
		{
879
			if ($reserved == '')
880
				continue;
881
882
			// The admin might've used entities too, level the playing field.
883
			$reservedCheck = preg_replace('~(&#(\d{1,7}|x[0-9a-fA-F]{1,6});)~', 'replaceEntities__callback', $reserved);
884
885
			// Case sensitive name?
886
			if (empty($modSettings['reserveCase']))
887
				$reservedCheck = $smcFunc['strtolower']($reservedCheck);
888
889
			// If it's not just entire word, check for it in there somewhere...
890
			if ($checkMe == $reservedCheck || ($smcFunc['strpos']($checkMe, $reservedCheck) !== false && empty($modSettings['reserveWord'])))
891
				if ($fatal)
892
					fatal_lang_error('username_reserved', 'password', array($reserved));
893
				else
894
					return true;
895
		}
896
897
		$censor_name = $name;
898
		if (censorText($censor_name) != $name)
899
			if ($fatal)
900
				fatal_lang_error('name_censored', 'password', array($name));
901
			else
902
				return true;
903
	}
904
905
	// Characters we just shouldn't allow, regardless.
906
	foreach (array('*') as $char)
907
		if (strpos($checkName, $char) !== false)
908
			if ($fatal)
909
				fatal_lang_error('username_reserved', 'password', array($char));
910
			else
911
				return true;
912
913
	// Get rid of any SQL parts of the reserved name...
914
	$checkName = strtr($name, array('_' => '\\_', '%' => '\\%'));
915
916
	//when we got no wildcard we can use equal -> fast
917
	$operator = (strpos($checkName, '%') || strpos($checkName, '_') ? 'LIKE' : '=' );
918
919
	// Make sure they don't want someone else's name.
920
	$request = $smcFunc['db_query']('', '
921
		SELECT id_member
922
		FROM {db_prefix}members
923
		WHERE ' . (empty($current_ID_MEMBER) ? '' : 'id_member != {int:current_member}
924
			AND ') . '({raw:real_name} {raw:operator} LOWER({string:check_name}) OR {raw:member_name} {raw:operator} LOWER({string:check_name}))
925
		LIMIT 1',
926
		array(
927
			'real_name' => $smcFunc['db_case_sensitive'] ? 'LOWER(real_name)' : 'real_name',
928
			'member_name' => $smcFunc['db_case_sensitive'] ? 'LOWER(member_name)' : 'member_name',
929
			'current_member' => $current_ID_MEMBER,
930
			'check_name' => $checkName,
931
			'operator' => $operator,
932
		)
933
	);
934
	if ($smcFunc['db_num_rows']($request) > 0)
935
	{
936
		$smcFunc['db_free_result']($request);
937
		return true;
938
	}
939
940
	// Does name case insensitive match a member group name?
941
	$request = $smcFunc['db_query']('', '
942
		SELECT id_group
943
		FROM {db_prefix}membergroups
944
		WHERE {raw:group_name} LIKE {string:check_name}
945
		LIMIT 1',
946
		array(
947
			'group_name' => $smcFunc['db_case_sensitive'] ? 'LOWER(group_name)' : 'group_name',
948
			'check_name' => $checkName,
949
		)
950
	);
951
	if ($smcFunc['db_num_rows']($request) > 0)
952
	{
953
		$smcFunc['db_free_result']($request);
954
		return true;
955
	}
956
957
	// Okay, they passed.
958
	return false;
959
}
960
961
// Get a list of groups that have a given permission (on a given board).
962
/**
963
 * Retrieves a list of membergroups that are allowed to do the given
964
 * permission. (on the given board)
965
 * If board_id is not null, a board permission is assumed.
966
 * The function takes different permission settings into account.
967
 *
968
 * @param string $permission The permission to check
969
 * @param int $board_id = null If set, checks permissions for the specified board
970
 * @return array An array containing two arrays - 'allowed', which has which groups are allowed to do it and 'denied' which has the groups that are denied
971
 */
972
function groupsAllowedTo($permission, $board_id = null)
973
{
974
	global $board_info, $smcFunc;
975
976
	// Admins are allowed to do anything.
977
	$member_groups = array(
978
		'allowed' => array(1),
979
		'denied' => array(),
980
	);
981
982
	// Assume we're dealing with regular permissions (like profile_view).
983
	if ($board_id === null)
984
	{
985
		$request = $smcFunc['db_query']('', '
986
			SELECT id_group, add_deny
987
			FROM {db_prefix}permissions
988
			WHERE permission = {string:permission}',
989
			array(
990
				'permission' => $permission,
991
			)
992
		);
993
		while ($row = $smcFunc['db_fetch_assoc']($request))
994
			$member_groups[$row['add_deny'] === '1' ? 'allowed' : 'denied'][] = $row['id_group'];
995
		$smcFunc['db_free_result']($request);
996
	}
997
998
	// Otherwise it's time to look at the board.
999
	else
1000
	{
1001
		// First get the profile of the given board.
1002
		if (isset($board_info['id']) && $board_info['id'] == $board_id)
1003
			$profile_id = $board_info['profile'];
1004
		elseif ($board_id !== 0)
1005
		{
1006
			$request = $smcFunc['db_query']('', '
1007
				SELECT id_profile
1008
				FROM {db_prefix}boards
1009
				WHERE id_board = {int:id_board}
1010
				LIMIT 1',
1011
				array(
1012
					'id_board' => $board_id,
1013
				)
1014
			);
1015
			if ($smcFunc['db_num_rows']($request) == 0)
1016
				fatal_lang_error('no_board');
1017
			list ($profile_id) = $smcFunc['db_fetch_row']($request);
1018
			$smcFunc['db_free_result']($request);
1019
		}
1020
		else
1021
			$profile_id = 1;
1022
1023
		$request = $smcFunc['db_query']('', '
1024
			SELECT bp.id_group, bp.add_deny
1025
			FROM {db_prefix}board_permissions AS bp
1026
			WHERE bp.permission = {string:permission}
1027
				AND bp.id_profile = {int:profile_id}',
1028
			array(
1029
				'profile_id' => $profile_id,
1030
				'permission' => $permission,
1031
			)
1032
		);
1033
		while ($row = $smcFunc['db_fetch_assoc']($request))
1034
			$member_groups[$row['add_deny'] === '1' ? 'allowed' : 'denied'][] = $row['id_group'];
1035
		$smcFunc['db_free_result']($request);
1036
1037
		$moderator_groups = array();
1038
1039
		// "Inherit" any moderator permissions as needed
1040
		if (isset($board_info['moderator_groups']))
1041
		{
1042
			$moderator_groups = array_keys($board_info['moderator_groups']);
1043
		}
1044
		elseif ($board_id !== 0)
1045
		{
1046
			// Get the groups that can moderate this board
1047
			$request = $smcFunc['db_query']('', '
1048
				SELECT id_group
1049
				FROM {db_prefix}moderator_groups
1050
				WHERE id_board = {int:board_id}',
1051
				array(
1052
					'board_id' => $board_id,
1053
				)
1054
			);
1055
1056
			while ($row = $smcFunc['db_fetch_assoc']($request))
1057
			{
1058
				$moderator_groups[] = $row['id_group'];
1059
			}
1060
1061
			$smcFunc['db_free_result']($request);
1062
		}
1063
1064
		// "Inherit" any additional permissions from the "Moderators" group
1065
		foreach ($moderator_groups as $mod_group)
1066
		{
1067
			// If they're not specifically allowed, but the moderator group is, then allow it
1068
			if (in_array(3, $member_groups['allowed']) && !in_array($mod_group, $member_groups['allowed']))
1069
			{
1070
				$member_groups['allowed'][] = $mod_group;
1071
			}
1072
1073
			// They're not denied, but the moderator group is, so deny it
1074
			if (in_array(3, $member_groups['denied']) && !in_array($mod_group, $member_groups['denied']))
1075
			{
1076
				$member_groups['denied'][] = $mod_group;
1077
			}
1078
		}
1079
	}
1080
1081
	// Denied is never allowed.
1082
	$member_groups['allowed'] = array_diff($member_groups['allowed'], $member_groups['denied']);
1083
1084
	return $member_groups;
1085
}
1086
1087
/**
1088
 * Retrieves a list of members that have a given permission
1089
 * (on a given board).
1090
 * If board_id is not null, a board permission is assumed.
1091
 * Takes different permission settings into account.
1092
 * Takes possible moderators (on board 'board_id') into account.
1093
 *
1094
 * @param string $permission The permission to check
1095
 * @param int $board_id If set, checks permission for that specific board
1096
 * @return array An array containing the IDs of the members having that permission
1097
 */
1098
function membersAllowedTo($permission, $board_id = null)
1099
{
1100
	global $smcFunc;
1101
1102
	$member_groups = groupsAllowedTo($permission, $board_id);
1103
1104
	$all_groups = array_merge($member_groups['allowed'], $member_groups['denied']);
1105
1106
	$include_moderators = in_array(3, $member_groups['allowed']) && $board_id !== null;
1107
	$member_groups['allowed'] = array_diff($member_groups['allowed'], array(3));
1108
1109
	$exclude_moderators = in_array(3, $member_groups['denied']) && $board_id !== null;
1110
	$member_groups['denied'] = array_diff($member_groups['denied'], array(3));
1111
1112
	$request = $smcFunc['db_query']('', '
1113
		SELECT mem.id_member
1114
		FROM {db_prefix}members AS mem' . ($include_moderators || $exclude_moderators ? '
1115
			LEFT JOIN {db_prefix}moderators AS mods ON (mods.id_member = mem.id_member AND mods.id_board = {int:board_id})
1116
			LEFT JOIN {db_prefix}moderator_groups AS modgs ON (modgs.id_group IN ({array_int:all_member_groups}) AND modgs.id_board = {int:board_id})' : '') . '
1117
		WHERE (' . ($include_moderators ? 'mods.id_member IS NOT NULL OR modgs.id_group IS NOT NULL OR ' : '') . 'mem.id_group IN ({array_int:member_groups_allowed}) OR FIND_IN_SET({raw:member_group_allowed_implode}, mem.additional_groups) != 0 OR mem.id_post_group IN ({array_int:member_groups_allowed}))' . (empty($member_groups['denied']) ? '' : '
1118
			AND NOT (' . ($exclude_moderators ? 'mods.id_member IS NOT NULL OR modgs.id_group IS NOT NULL OR ' : '') . 'mem.id_group IN ({array_int:member_groups_denied}) OR FIND_IN_SET({raw:member_group_denied_implode}, mem.additional_groups) != 0 OR mem.id_post_group IN ({array_int:member_groups_denied}))'),
1119
		array(
1120
			'member_groups_allowed' => $member_groups['allowed'],
1121
			'member_groups_denied' => $member_groups['denied'],
1122
			'all_member_groups' => $all_groups,
1123
			'board_id' => $board_id,
1124
			'member_group_allowed_implode' => implode(', mem.additional_groups) != 0 OR FIND_IN_SET(', $member_groups['allowed']),
1125
			'member_group_denied_implode' => implode(', mem.additional_groups) != 0 OR FIND_IN_SET(', $member_groups['denied']),
1126
		)
1127
	);
1128
	$members = array();
1129
	while ($row = $smcFunc['db_fetch_assoc']($request))
1130
		$members[] = $row['id_member'];
1131
	$smcFunc['db_free_result']($request);
1132
1133
	return $members;
1134
}
1135
1136
/**
1137
 * This function is used to reassociate members with relevant posts.
1138
 * Reattribute guest posts to a specified member.
1139
 * Does not check for any permissions.
1140
 * If add_to_post_count is set, the member's post count is increased.
1141
 *
1142
 * @param int $memID The ID of the original poster
1143
 * @param bool|string $email If set, should be the email of the poster
1144
 * @param bool|string $membername If set, the membername of the poster
1145
 * @param bool $post_count Whether to adjust post counts
1146
 * @return array An array containing the number of messages, topics and reports updated
1147
 */
1148
function reattributePosts($memID, $email = false, $membername = false, $post_count = false)
1149
{
1150
	global $smcFunc, $modSettings;
1151
1152
	$updated = array(
1153
		'messages' => 0,
1154
		'topics' => 0,
1155
		'reports' => 0,
1156
	);
1157
1158
	// Firstly, if email and username aren't passed find out the members email address and name.
1159
	if ($email === false && $membername === false)
1160
	{
1161
		$request = $smcFunc['db_query']('', '
1162
			SELECT email_address, member_name
1163
			FROM {db_prefix}members
1164
			WHERE id_member = {int:memID}
1165
			LIMIT 1',
1166
			array(
1167
				'memID' => $memID,
1168
			)
1169
		);
1170
		list ($email, $membername) = $smcFunc['db_fetch_row']($request);
1171
		$smcFunc['db_free_result']($request);
1172
	}
1173
1174
	// If they want the post count restored then we need to do some research.
1175
	if ($post_count)
1176
	{
1177
		$recycle_board = !empty($modSettings['recycle_enable']) && !empty($modSettings['recycle_board']) ? (int) $modSettings['recycle_board'] : 0;
1178
		$request = $smcFunc['db_query']('', '
1179
			SELECT COUNT(*)
1180
			FROM {db_prefix}messages AS m
1181
				INNER JOIN {db_prefix}boards AS b ON (b.id_board = m.id_board AND b.count_posts = {int:count_posts})
1182
			WHERE m.id_member = {int:guest_id}
1183
				AND m.approved = {int:is_approved}' . (!empty($recycle_board) ? '
1184
				AND m.id_board != {int:recycled_board}' : '') . (empty($email) ? '' : '
1185
				AND m.poster_email = {string:email_address}') . (empty($membername) ? '' : '
1186
				AND m.poster_name = {string:member_name}'),
1187
			array(
1188
				'count_posts' => 0,
1189
				'guest_id' => 0,
1190
				'email_address' => $email,
1191
				'member_name' => $membername,
1192
				'is_approved' => 1,
1193
				'recycled_board' => $recycle_board,
1194
			)
1195
		);
1196
		list ($messageCount) = $smcFunc['db_fetch_row']($request);
1197
		$smcFunc['db_free_result']($request);
1198
1199
		updateMemberData($memID, array('posts' => 'posts + ' . $messageCount));
1200
	}
1201
1202
	$query_parts = array();
1203
	if (!empty($email))
1204
		$query_parts[] = 'poster_email = {string:email_address}';
1205
	if (!empty($membername))
1206
		$query_parts[] = 'poster_name = {string:member_name}';
1207
	$query = implode(' AND ', $query_parts);
1208
1209
	// Finally, update the posts themselves!
1210
	$smcFunc['db_query']('', '
1211
		UPDATE {db_prefix}messages
1212
		SET id_member = {int:memID}
1213
		WHERE ' . $query,
1214
		array(
1215
			'memID' => $memID,
1216
			'email_address' => $email,
1217
			'member_name' => $membername,
1218
		)
1219
	);
1220
	$updated['messages'] = $smcFunc['db_affected_rows']();
1221
1222
	// Did we update any messages?
1223
	if ($updated['messages'] > 0)
1224
	{
1225
		// First, check for updated topics.
1226
		$smcFunc['db_query']('', '
1227
			UPDATE {db_prefix}topics as t, {db_prefix}messages as m
1228
			SET t.id_member_started = {int:memID}
1229
			WHERE m.id_member = {int:memID}
1230
				AND t.id_first_msg = m.id_msg',
1231
			array(
1232
				'memID' => $memID,
1233
			)
1234
		);
1235
		$updated['topics'] = $smcFunc['db_affected_rows']();
1236
1237
		// Second, check for updated reports.
1238
		$smcFunc['db_query']('', '
1239
			UPDATE {db_prefix}log_reported AS lr, {db_prefix}messages AS m
1240
			SET lr.id_member = {int:memID}
1241
			WHERE lr.id_msg = m.id_msg
1242
				AND m.id_member = {int:memID}',
1243
			array(
1244
				'memID' => $memID,
1245
			)
1246
		);
1247
		$updated['reports'] = $smcFunc['db_affected_rows']();
1248
	}
1249
1250
	// Allow mods with their own post tables to reattribute posts as well :)
1251
 	call_integration_hook('integrate_reattribute_posts', array($memID, $email, $membername, $post_count, &$updated));
1252
1253
	return $updated;
1254
}
1255
1256
/**
1257
 * This simple function adds/removes the passed user from the current users buddy list.
1258
 * Requires profile_identity_own permission.
1259
 * Called by ?action=buddy;u=x;session_id=y.
1260
 * Redirects to ?action=profile;u=x.
1261
 */
1262
function BuddyListToggle()
1263
{
1264
	global $user_info, $smcFunc;
1265
1266
	checkSession('get');
1267
1268
	isAllowedTo('profile_extra_own');
1269
	is_not_guest();
1270
1271
	$userReceiver = (int) !empty($_REQUEST['u']) ? $_REQUEST['u'] : 0;
1272
1273
	if (empty($userReceiver))
1274
		fatal_lang_error('no_access', false);
1275
1276
	// Remove if it's already there...
1277
	if (in_array($userReceiver, $user_info['buddies']))
1278
		$user_info['buddies'] = array_diff($user_info['buddies'], array($userReceiver));
1279
1280
	// ...or add if it's not and if it's not you.
1281
	elseif ($user_info['id'] != $userReceiver)
1282
	{
1283
		$user_info['buddies'][] = $userReceiver;
1284
1285
		// And add a nice alert. Don't abuse though!
1286
		if ((cache_get_data('Buddy-sent-'. $user_info['id'] .'-'. $userReceiver, 86400)) == null)
1287
		{
1288
			$smcFunc['db_insert']('insert',
1289
				'{db_prefix}background_tasks',
1290
				array('task_file' => 'string', 'task_class' => 'string', 'task_data' => 'string', 'claimed_time' => 'int'),
1291
				array('$sourcedir/tasks/Buddy-Notify.php', 'Buddy_Notify_Background', $smcFunc['json_encode'](array(
1292
					'receiver_id' => $userReceiver,
1293
					'id_member' => $user_info['id'],
1294
					'member_name' => $user_info['username'],
1295
					'time' => time(),
1296
				)), 0),
1297
				array('id_task')
1298
			);
1299
1300
			// Store this in a cache entry to avoid creating multiple alerts. Give it a long life cycle.
1301
			cache_put_data('Buddy-sent-'. $user_info['id'] .'-'. $userReceiver, '1', 86400);
1302
		}
1303
	}
1304
1305
	// Update the settings.
1306
	updateMemberData($user_info['id'], array('buddy_list' => implode(',', $user_info['buddies'])));
1307
1308
	// Redirect back to the profile
1309
	redirectexit('action=profile;u=' . $userReceiver);
1310
}
1311
1312
/**
1313
 * Callback for createList().
1314
 *
1315
 * @param int $start Which item to start with (for pagination purposes)
1316
 * @param int $items_per_page How many items to show per page
1317
 * @param string $sort An SQL query indicating how to sort the results
1318
 * @param string $where An SQL query used to filter the results
1319
 * @param array $where_params An array of parameters for $where
1320
 * @param bool $get_duplicates Whether to get duplicates (used for the admin member list)
1321
 * @return array An array of information for displaying the list of members
1322
 */
1323
function list_getMembers($start, $items_per_page, $sort, $where, $where_params = array(), $get_duplicates = false)
1324
{
1325
	global $smcFunc;
1326
1327
	$request = $smcFunc['db_query']('', '
1328
		SELECT
1329
			mem.id_member, mem.member_name, mem.real_name, mem.email_address, mem.member_ip, mem.member_ip2, mem.last_login,
1330
			mem.posts, mem.is_activated, mem.date_registered, mem.id_group, mem.additional_groups, mg.group_name
1331
		FROM {db_prefix}members AS mem
1332
			LEFT JOIN {db_prefix}membergroups AS mg ON (mg.id_group = mem.id_group)
1333
		WHERE ' . ($where == '1' ? '1=1' : $where) . '
1334
		ORDER BY {raw:sort}
1335
		LIMIT {int:start}, {int:per_page}',
1336
		array_merge($where_params, array(
1337
			'sort' => $sort,
1338
			'start' => $start,
1339
			'per_page' => $items_per_page,
1340
		))
1341
	);
1342
1343
	$members = array();
1344
	while ($row = $smcFunc['db_fetch_assoc']($request))
1345
	{
1346
		$row['member_ip'] = inet_dtop($row['member_ip']);
1347
		$row['member_ip2'] = inet_dtop($row['member_ip2']);
1348
		$members[] = $row;
1349
	}
1350
	$smcFunc['db_free_result']($request);
1351
1352
	// If we want duplicates pass the members array off.
1353
	if ($get_duplicates)
1354
		populateDuplicateMembers($members);
1355
1356
	return $members;
1357
}
1358
1359
/**
1360
 * Callback for createList().
1361
 *
1362
 * @param string $where An SQL query to filter the results
1363
 * @param array $where_params An array of parameters for $where
1364
 * @return int The number of members matching the given situation
1365
 */
1366
function list_getNumMembers($where, $where_params = array())
1367
{
1368
	global $smcFunc, $modSettings;
1369
1370
	// We know how many members there are in total.
1371
	if (empty($where) || $where == '1=1')
1372
		$num_members = $modSettings['totalMembers'];
1373
1374
	// The database knows the amount when there are extra conditions.
1375
	else
1376
	{
1377
		$request = $smcFunc['db_query']('', '
1378
			SELECT COUNT(*)
1379
			FROM {db_prefix}members AS mem
1380
			WHERE ' . $where,
1381
			array_merge($where_params, array(
1382
			))
1383
		);
1384
		list ($num_members) = $smcFunc['db_fetch_row']($request);
1385
		$smcFunc['db_free_result']($request);
1386
	}
1387
1388
	return $num_members;
1389
}
1390
1391
/**
1392
 * Find potential duplicate registration members based on the same IP address
1393
 *
1394
 * @param array $members An array of members
1395
 */
1396
function populateDuplicateMembers(&$members)
1397
{
1398
	global $smcFunc;
1399
1400
	// This will hold all the ip addresses.
1401
	$ips = array();
1402
	foreach ($members as $key => $member)
1403
	{
1404
		// Create the duplicate_members element.
1405
		$members[$key]['duplicate_members'] = array();
1406
1407
		// Store the IPs.
1408
		if (!empty($member['member_ip']))
1409
			$ips[] = $member['member_ip'];
1410
		if (!empty($member['member_ip2']))
1411
			$ips[] = $member['member_ip2'];
1412
	}
1413
1414
	$ips = array_unique($ips);
1415
1416
	if (empty($ips))
1417
		return false;
1418
1419
	// Fetch all members with this IP address, we'll filter out the current ones in a sec.
1420
	$request = $smcFunc['db_query']('', '
1421
		SELECT
1422
			id_member, member_name, email_address, member_ip, member_ip2, is_activated
1423
		FROM {db_prefix}members
1424
		WHERE member_ip IN ({array_inet:ips})
1425
			OR member_ip2 IN ({array_inet:ips})',
1426
		array(
1427
			'ips' => $ips,
1428
		)
1429
	);
1430
	$duplicate_members = array();
1431
	$duplicate_ids = array();
1432
	while ($row = $smcFunc['db_fetch_assoc']($request))
1433
	{
1434
		//$duplicate_ids[] = $row['id_member'];
1435
		$row['member_ip'] = inet_dtop($row['member_ip']);
1436
		$row['member_ip2'] = inet_dtop($row['member_ip2']);
1437
1438
		$member_context = array(
1439
			'id' => $row['id_member'],
1440
			'name' => $row['member_name'],
1441
			'email' => $row['email_address'],
1442
			'is_banned' => $row['is_activated'] > 10,
1443
			'ip' => $row['member_ip'],
1444
			'ip2' => $row['member_ip2'],
1445
		);
1446
1447
		if (in_array($row['member_ip'], $ips))
1448
			$duplicate_members[$row['member_ip']][] = $member_context;
1449
		if ($row['member_ip'] != $row['member_ip2'] && in_array($row['member_ip2'], $ips))
1450
			$duplicate_members[$row['member_ip2']][] = $member_context;
1451
	}
1452
	$smcFunc['db_free_result']($request);
1453
1454
	// Also try to get a list of messages using these ips.
1455
	$request = $smcFunc['db_query']('', '
1456
		SELECT
1457
			m.poster_ip, mem.id_member, mem.member_name, mem.email_address, mem.is_activated
1458
		FROM {db_prefix}messages AS m
1459
			INNER JOIN {db_prefix}members AS mem ON (mem.id_member = m.id_member)
1460
		WHERE m.id_member != 0
1461
			' . (!empty($duplicate_ids) ? 'AND m.id_member NOT IN ({array_int:duplicate_ids})' : '') . '
1462
			AND m.poster_ip IN ({array_inet:ips})',
1463
		array(
1464
			'duplicate_ids' => $duplicate_ids,
1465
			'ips' => $ips,
1466
		)
1467
	);
1468
1469
	$had_ips = array();
1470
	while ($row = $smcFunc['db_fetch_assoc']($request))
1471
	{
1472
		$row['poster_ip'] = inet_dtop($row['poster_ip']);
1473
1474
		// Don't collect lots of the same.
1475
		if (isset($had_ips[$row['poster_ip']]) && in_array($row['id_member'], $had_ips[$row['poster_ip']]))
1476
			continue;
1477
		$had_ips[$row['poster_ip']][] = $row['id_member'];
1478
1479
		$duplicate_members[$row['poster_ip']][] = array(
1480
			'id' => $row['id_member'],
1481
			'name' => $row['member_name'],
1482
			'email' => $row['email_address'],
1483
			'is_banned' => $row['is_activated'] > 10,
1484
			'ip' => $row['poster_ip'],
1485
			'ip2' => $row['poster_ip'],
1486
		);
1487
	}
1488
	$smcFunc['db_free_result']($request);
1489
1490
	// Now we have all the duplicate members, stick them with their respective member in the list.
1491
	if (!empty($duplicate_members))
1492
		foreach ($members as $key => $member)
1493
		{
1494
			if (isset($duplicate_members[$member['member_ip']]))
1495
				$members[$key]['duplicate_members'] = $duplicate_members[$member['member_ip']];
1496
			if ($member['member_ip'] != $member['member_ip2'] && isset($duplicate_members[$member['member_ip2']]))
1497
				$members[$key]['duplicate_members'] = array_merge($member['duplicate_members'], $duplicate_members[$member['member_ip2']]);
1498
1499
			// Check we don't have lots of the same member.
1500
			$member_track = array($member['id_member']);
1501
			foreach ($members[$key]['duplicate_members'] as $duplicate_id_member => $duplicate_member)
1502
			{
1503
				if (in_array($duplicate_member['id'], $member_track))
1504
				{
1505
					unset($members[$key]['duplicate_members'][$duplicate_id_member]);
1506
					continue;
1507
				}
1508
1509
				$member_track[] = $duplicate_member['id'];
1510
			}
1511
		}
1512
}
1513
1514
/**
1515
 * Generate a random validation code.
1516
 * @todo Err. Whatcha doin' here.
1517
 *
1518
 * @return string A random validation code
1519
 */
1520
function generateValidationCode()
1521
{
1522
	global $smcFunc, $modSettings;
1523
1524
	$request = $smcFunc['db_query']('get_random_number', '
1525
		SELECT RAND()',
1526
		array(
1527
		)
1528
	);
1529
1530
	list ($dbRand) = $smcFunc['db_fetch_row']($request);
1531
	$smcFunc['db_free_result']($request);
1532
1533
	return substr(preg_replace('/\W/', '', sha1(microtime() . mt_rand() . $dbRand . $modSettings['rand_seed'])), 0, 10);
1534
}
1535
1536
?>