-
Notifications
You must be signed in to change notification settings - Fork 114
/
userprofile.php
1303 lines (1127 loc) · 49.2 KB
/
userprofile.php
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
<?php
/*
Copyright (C) 2004-2010 Kestas J. Kuliukas
This file is part of webDiplomacy.
webDiplomacy is free software: you can redistribute it and/or modify
it under the terms of the GNU Affero General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
webDiplomacy is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU Affero General Public License
along with webDiplomacy. If not, see <http://www.gnu.org/licenses/>.
*/
/**
* @package Base
*/
require_once('header.php');
require_once(l_r('objects/game.php'));
require_once(l_r('objects/group.php'));
require_once(l_r('objects/groupUser.php'));
require_once(l_r('gamepanel/game.php'));
if ( isset($_REQUEST['userID']) && intval($_REQUEST['userID'])>0 )
{
$userID = (int)$_REQUEST['userID'];
}
else
{
$userID = false;
}
try
{
$UserProfile = new User($userID);
}
catch (Exception $e)
{
libHTML::error("Invalid user ID given.");
}
if ( ! $UserProfile->type['User'] && !$UserProfile->type['Banned'] )
{
$message = 'Cannot display profile: The specified account #'.$userID.' is not an active user; ';
if( $UserProfile->type['Guest'] )
$message .= 'it is a guest account, used by unregistered people to view the server without interacting.';
elseif( $UserProfile->type['System'] )
$message .= 'it is a system account, without a real human using it.';
else
$message .= 'in fact I\'m not sure what this account is...';
foreach($UserProfile->type as $name=>$on)
{
if ( $on )
$message .= $name.', ';
}
libHTML::error($message);
}
libHTML::starthtml();
print '<div class="content">';
print '<div>';
print '<h2 class = "profileUsername">'.$UserProfile->username.'</h2>';
// Show moderator information
if ( $User->type['Moderator'] )
{
print '<div class = "profile-show">';
print '<div class = "profile_title"> Moderator Info</div>';
print '<div class = "profile_content_show">';
if( $User->type['Moderator'] )
{
if ( $User->type['Moderator'] && $User->id != $UserProfile->id )
{
$modActions=array();
if ( $User->type['Admin'] )
$modActions[] = '<a href="index.php?auid='.$UserProfile->id.'">Enter this user\'s account</a>';
$modActions[] = libHTML::admincpType('User',$UserProfile->id);
if( !$UserProfile->type['Admin'] && ( $User->type['Admin'] || !$UserProfile->type['Moderator'] ) )
$modActions[] = libHTML::admincp('banUser',array('userID'=>$UserProfile->id), 'Ban user');
$modActions[] = '<a href="admincp.php?tab=Multi-accounts&aUserID='.$UserProfile->id.'" class="light">Enter multi-account finder</a>';
if($modActions)
{
print '<p class="notice">'.implode(' - ', $modActions).'</p>';
}
}
print '<strong>UserID:</strong> '.$UserProfile->id.'</br></br>';
print '<strong>Email:</strong></br>'.$UserProfile->email.'</br></br>';
/*print '<strong>Mobile linked:</strong></br>'.$UserProfile->email.'</br></br>';
print '<strong>Facebook linked:</strong></br>'.$UserProfile->email.'</br></br>';
print '<strong>Google linked:</strong></br>'.$UserProfile->email.'</br></br>';
print '<strong>Apple linked:</strong></br>'.$UserProfile->email.'</br></br>';
*/
$lastCheckedBy = $UserProfile->modLastCheckedBy();
$modLastCheckedOn = $UserProfile->modLastCheckedOn();
list($previousUsernames) = $DB->sql_row(
"SELECT GROUP_CONCAT(DISTINCT oldUsername SEPARATOR ', ') FROM wD_UsernameHistory WHERE userID = ".$UserProfile->id
);
list($previousEmails) = $DB->sql_row(
"SELECT GROUP_CONCAT(DISTINCT oldEmail SEPARATOR ', ') FROM wD_EmailHistory WHERE userID = ".$UserProfile->id
);
if($UserProfile->modLastCheckedOn() > 0 && $lastCheckedBy > 0)
{
list($modUsername) = $DB->sql_row("SELECT username FROM `wD_Users` WHERE id = ".$lastCheckedBy);
print '<p class="profileCommentURL">Investigated: '.libTime::text($modLastCheckedOn).', by: <a href="/userprofile.php?userID='.$lastCheckedBy.'">'.$modUsername.'</a></p>';
}
else
{
print '<p>Investigated: Never</p>';
}
if ($UserProfile->userIsTempBanned())
{
print '<p>Temp Ban Time: '.libTime::remainingText($UserProfile->tempBan).' Reason: '.$UserProfile->tempBanReason.'</p>';
}
if (!empty($previousUsernames))
{
print '<p class="profileCommentURL">Previous Usernames: '.$previousUsernames.'</p>';
}
if (!empty($previousEmails))
{
print '<p class="profileCommentURL">Previous Emails: '.$previousEmails.'</p>';
}
if($UserProfile->qualifiesForEmergency() )
{
print '<p class="profileCommentURL">User qualifies for emergency pause</p>';
}
else if ($UserProfile->emergencyPauseDate == 1)
{
print '<p class="profileCommentURL">User is mod banned from emergency pause</p>';
}
else
{
print '<p class="profileCommentURL">User does not qualify for emergency pause</p>';
}
if( !$UserProfile->type['Admin'] && ( $User->type['Admin'] || $User->type['ForumModerator'] ) )
{
print '<div class = "profile_title" style="width:90%">';
print '<strong>Silence Info:</strong> </div>';
print '<div class = "profile_content">';
$silences = $UserProfile->getSilences();
print '<p><ul class="formlist"><li><strong>Silences:</strong></li><li>';
if( count($silences) == 0 )
print 'No silences against this user.</p>';
else
{
print '<ul class="formlist">';
foreach($silences as $silence)
{
if( !$silence->isEnabled() || $silence->id == $UserProfile->silenceID )
print '<li>'.$silence->toString().'</li>';
}
print '</ul>';
}
print '</li><li>';
print libHTML::admincp('createUserSilence',array('userID'=>$UserProfile->id,'reason'=>''),'Silence user');
print '</li></ul></p>';
print '</div>';
}
}
print '</div></div></br>';
}
print '<div class = "profile-show-floating">';
// Profile Information
print '<div class = "profile-show-inside-left">';
print '<strong>Profile Information</strong>';
print '<p><ul class="profile">';
if( $UserProfile->type['Banned'] )
print '<p><strong>Banned</strong></p>';
if( $UserProfile->type['Bot'] )
print '<li><p class="profileCommentURL">Bot User</p>';
if ( $UserProfile->comment )
{
print '<li><div class = "comment_title" style="width:90%">';
print '<strong>User Comment:</strong> </div></li>';
print '<div class = "comment_content">';
print '<p class="profileComment">"'.$UserProfile->comment.'"</p>';
print '</div></br>';
}
if ( $UserProfile->type['Moderator'] || $UserProfile->type['ForumModerator'] || $UserProfile->type['Admin'] )
{
print '<li><strong>Mod/Admin team</strong></li>';
print '<li>The best way to get moderator assistance is using our built in <a href="modforum.php">moderator forum</a>. Please do not message
moderators directly for help.</li>';
print '<li> </li>';
}
if ( time() - (24*60*60) < $UserProfile->timeLastSessionEnded)
print '<li><strong>Visited in last 24 hours</strong></li>';
else
print '<li><strong>Last visited:</strong> '.libTime::text($UserProfile->timeLastSessionEnded).'</li>';
print '<li><strong>Joined:</strong> '.$UserProfile->timeJoinedtxt().'</li></br>';
if( $UserProfile->type['DonatorPlatinum'] )
$donatorMarker = libHTML::platinum().' - <strong>Platinum</strong>';
elseif( $UserProfile->type['DonatorGold'] )
$donatorMarker = libHTML::gold().' - <strong>Gold</strong>';
elseif( $UserProfile->type['DonatorSilver'] )
$donatorMarker = libHTML::silver().' - Silver';
elseif( $UserProfile->type['DonatorBronze'] )
$donatorMarker = libHTML::bronze().' - Bronze';
else
$donatorMarker = false;
if( $donatorMarker )
print '<li><strong>Donator:</strong> '.$donatorMarker.'</li>';
print '</li></ul></p>';
print '</div></br>';
// Ranking Info
print '<div class = "profile-show-ranking">';
print '<strong>Ranking Info</strong>
<img id = "modBtnRanking" height="16" width="16" src="images/icons/help.png" alt="Help" title="Help" />
<div id="rankingModal" class="modal">
<!-- Modal content -->
<div class="modal-content">
<span class="close1">×</span>
<p><strong>Points:</strong> </br>
Points are the currency you use on the site to buy into games. Read more about points <a href="points.php" class="light">here</a>.<br /><br />
</p>
<p><strong>Ghost Rating:</strong> </br>
Ghost rating is a skill based ranking system. The various categories break down player skill by game type, press type, and variant type. You can read more
on how Ghost Ratings work <a href="ghostRatings.php" class="light">here</a>.</br></br>
If you do not see any Ghost Rating information on this profile it is because the player has not completed any games that count towards ghost rating.
Unranked games do not get scored in the Ghost Rating model.
</p>
</div>
</div>';
$rankingDetails = $UserProfile->rankingDetails();
$rankingDetailsClassic = $UserProfile->rankingDetailsClassic();
$rankingDetailsClassicPress = $UserProfile->rankingDetailsClassicPress();
$rankingDetailsClassicGunboat = $UserProfile->rankingDetailsClassicGunboat();
$rankingDetailsClassicRanked = $UserProfile->rankingDetailsClassicRanked();
$rankingDetailsVariants = $UserProfile->rankingDetailsVariants();
$showAnon = ($UserProfile->id == $User->id || $User->type['Moderator']);
print '<p><ul class="profile">';
print '<div class = "profile_title"><strong>Points'.libHTML::points().':</strong></div>';
print '<div class = "profile_content_show">';
print '<li><strong>Available:</strong> '.number_format($UserProfile->points).'</li>';
print '<li><strong>In play:</strong> '.number_format(($rankingDetails['worth']-$UserProfile->points-($showAnon ? 0 : $rankingDetails['anon']['points']))).'</li>';
print '<li><strong>Total:</strong> '.number_format($rankingDetails['worth']).'</li>';
print '</div>';
// Ghost Rating information
$rankingGhostRating = $UserProfile->getCurrentGRByCategory();
$ghostRatingTrends = $UserProfile->getGRTrending(0,12);
// Determine user theme and set colors for use in the javascript for chart generation, Yes is Dark Mode, No is Light Mode.
if ($User->getTheme() == 'Yes')
{
$chartLineColor = 'white';
$chartBackgroundColor = '#757b81';
$trendColor = '#79d58d';
}
else
{
$chartLineColor = 'black';
$chartBackgroundColor = '#f1f1f1';
$trendColor = '#009902';
}
// Print out GR information for each category a user has a ranking.
if (!empty($rankingGhostRating))
{
foreach( $rankingGhostRating AS $key=>$data )
{
print '<div class = "profile_title"><strong>Ghost Rating '.$key.':</strong></div>';
if($key == 'Overall')
print '<div class = "profile_content_show">';
else
print '<div class = "profile_content">';
foreach( $data AS $key1=>$data1 )
{
print '<li><strong>'.$key1.':</strong> '.number_format($data1).'</li>';
}
print '</div>';
}
}
print '</ul></p>';
print '</div></br>';
// This section displays the needed Game Stats
$total = 0;
$includeStatus=array('Won','Drawn','Survived','Defeated','Resigned');
foreach($rankingDetails['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$total += $status;
if (!$showAnon && isset($rankingDetails['anon'][$name]))
$total -= $rankingDetails['anon'][$name];
}
print '<div class = "profile-show-inside">';
print '<strong style = "text-align: center;">Game Stats</strong>';
print '<ul class="profile">';
if( $total )
{
print '<div class = "profile_title">';
print '<li><strong>All Game stats:</strong> </div>
<div class = "profile_content_show">';
list($posts) = $DB->sql_row("SELECT SUM(gameMessagesSent) FROM wD_Members m WHERE m.userID = ".$UserProfile->id);
if( is_null($posts) ) $posts=0;
print '<li><strong>Game messages:</strong> '.number_format($posts).'</li></br>';
// Shows each of the game details
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetails['stats']) ) continue;
$status = $rankingDetails['stats'][$name];
if (!$showAnon && isset($rankingDetails['anon'][$name]))
$status -= $rankingDetails['anon'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$total)*100).'% )';
print '</li>';
}
print '<li>Total (finished): <strong>'.$total.'</strong></li><br>';
// This shows the Playing/Civil Disorder and CD takeover stats.
foreach($rankingDetails['stats'] as $name => $status)
{
if ( in_array($name, $includeStatus) ) continue;
if (!$showAnon && isset($rankingDetails['anon'][$name]))
$status -= $rankingDetails['anon'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong></li>';
}
print '</li></div>';
// Get a count of the number of classic games that have been played.
$totalClassic = 0;
foreach($rankingDetailsClassic['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$totalClassic += $status;
}
// Print out Classic stats if any classic games have been finished.
if( $totalClassic )
{
print '<div class = "profile_title">';
print '<li><strong>Classic:</strong></div><div class = "profile_content">';
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetailsClassic['stats']) ) continue;
$status = $rankingDetailsClassic['stats'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$totalClassic)*100).'% )';
print '</li>';
}
print '<li>'.'Total (finished): <strong>'.$totalClassic.'</strong></li>';
print '</li></div>';
}
// Get a count of the number of classic press games that have been played.
$totalClassicPress = 0;
foreach($rankingDetailsClassicPress['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$totalClassicPress += $status;
}
// Print out Classic Press stats if any classic press games have been finished.
if( $totalClassicPress )
{
print '<div class = "profile_title">';
print '<li><strong>Classic Press:</strong> </div><div class = "profile_content">';
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetailsClassicPress['stats']) ) continue;
$status = $rankingDetailsClassicPress['stats'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$totalClassicPress)*100).'% )';
print '</li>';
}
print '<li>Total (finished): <strong>'.$totalClassicPress.'</strong></li>';
print '</li></div>';
}
// Get a count of the number of classic gunboat games that have been played.
$totalClassicGunboat = 0;
foreach($rankingDetailsClassicGunboat['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$totalClassicGunboat += $status;
}
// Print out Classic Gunboat stats if any classic gunboat games have been finished.
if( $totalClassicGunboat )
{
print '<div class = "profile_title">';
print '<li><strong>Classic Gunboat:</strong> </div><div class = "profile_content">';
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetailsClassicGunboat['stats']) ) continue;
$status = $rankingDetailsClassicGunboat['stats'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$totalClassicGunboat)*100).'% )';
print '</li>';
}
print '<li>Total (finished): <strong>'.$totalClassicGunboat.'</strong></li>';
print '</li></div>';
}
// Get a count of the number of classic ranked games that have been played.
$totalClassicRanked = 0;
foreach($rankingDetailsClassicRanked['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$totalClassicRanked += $status;
}
// Print out Classic Ranked stats if any classic ranked games have been finished.
if( $totalClassicRanked )
{
print '<div class = "profile_title">';
print '<li><strong>Classic Ranked:</strong> </div><div class = "profile_content">';
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetailsClassicRanked['stats']) ) continue;
$status = $rankingDetailsClassicRanked['stats'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$totalClassicRanked)*100).'% )';
print '</li>';
}
print '<li>Total (finished): <strong>'.$totalClassicRanked.'</strong></li>';
print '</li></div>';
}
// Get a count of the number of classic games that have been played.
$totalVariants = 0;
foreach($rankingDetailsVariants['stats'] as $name => $status)
{
if ( !in_array($name, $includeStatus) ) continue;
$totalVariants += $status;
}
// Print out Variant stats if any variant games have been finished.
if( $totalVariants )
{
print '<div class = "profile_title">';
print '<li><strong>Variant stats:</strong> </div> <div class = "profile_content">';
foreach($includeStatus as $name)
{
if ( !array_key_exists($name, $rankingDetailsVariants['stats']) ) continue;
$status = $rankingDetailsVariants['stats'][$name];
print '<li>'.$name.': <strong>'.$status.'</strong>';
print ' ( '.round(($status/$totalVariants)*100).'% )';
print '</li>';
}
print '<li>Total (finished): <strong>'.$totalVariants.'</strong></li>';
print '</li>';
print '</div>';
}
print '</br></li>';
}
else
{
print 'User has not completed any games';
}
print '</ul></div>';
print '</div></br>';
print '</div>';
// Print out relibality rating information here instead of having it a new link.
print '<div class = "profile-show">';
print '<div class = "rrInfo">';
// Fetch reliability info:
$reliabilityData = $DB->sql_hash("SELECT yearlyPhaseCount, reliabilityRating, isPhasesDirty,
missedPhasesTotalLastYear, missedPhasesTotalLastMonth, missedPhasesTotalLastWeek,
missedPhasesLiveLastYear, missedPhasesLiveLastMonth, missedPhasesLiveLastWeek,
missedPhasesNonLiveLastYear, missedPhasesNonLiveLastMonth, missedPhasesNonLiveLastWeek,
cdCount, nmrCount, cdTakenCount, phaseCount, gameCount, deletedCDs
FROM wD_Users WHERE id = ". $UserProfile->id);
print '<div class = "profile_title"> Reliability Rating: '.round($reliabilityData['reliabilityRating'],1).'%</div>';
print '<div class = "profile_content">';
print '<h4>Reliability Explained:</h4>';
print '<div class = "profile_title">What is Reliability?</div>';
print '<div class = "profile_content">';
print '<p>Reliability is how consistently you avoid interrupting games. Any un-excused missed turns hurt your rating. If you have any un-excused
missed turns in the last 4 weeks you will receive an 11% penalty to your RR for <strong>each</strong> of those delays. It is very important
to everyone you are playing with to be reliable but we understand mistakes happen so this extra penalty will drop to 5% after 28 days. All of the un-excused
missed turns that negatively impact your rating are highlighted in red below. Excused delays will only negatively impact your base score, seen below. Mod excused
delays do not hurt your score in any way.
</br>
</br>
<strong>Live Game:</strong> If a game had phases 60 minutes long or less any excused missed turns will only impact your rating for 28 days total. The penalty is the same,
5% long term and 6% short term, except the long term penalty is for 28 days and the short term is for 7 days.</br>
<strong>System Excused:</strong> If you had an "excused missed turn" left this will be yes and will not cause additional penalties against your rating.</br>
<strong>Mod Excused:</strong> If a moderator excused the missed turn this field will be yes and will not cause additional penalties against your rating.</br>
<strong>Same Period Excused:</strong> If you have multiple un-excused missed turns in a 24 hour period you are only penalized once with the exception of live games,
if this field is yes it will not cause additional penalties against your rating.
</p></div>';
print '<div class = "profile_title">What happens if my rating is low?</div>';
print '<div class = "profile_content">';
print '<p>
Many games are made with a minimum rating requirement so this may impact the quality of games you can enter. If you have more then 3 non-live un-excused missed turns in a year
you will begin getting temporarily banned from making new games, joining existing games, or rejoining your own games.</br>
</br>
<li>1-3 un-excused delays: warnings</li>
<li>4 un-excused delays: 1-day temp ban</li>
<li>5 un-excused delays: 3-day temp ban</li>
<li>6 un-excused delays: 7-day temp ban</li>
<li>7 un-excused delays: 14-day temp ban</li>
<li>8 un-excused delays: 30-day temp ban</li>
<li>9 or more un-excused delays: infinite, must contact mods for removal</li>
Live game excused turns are penalized independently for temporary bans. 1-2 un-excused missed turns in live games will be a warning, and the 3rd, and any after that will
result in a 24 hour temp ban. The 2 warnings reset every 28 days resulting in significantly more yearly warnings for live game players then the normal system.
</p></div>';
/* RR calc, calculated in gamemaster/gamemaster.php updateReliabilityRatings:
greatest(0,
1.0
- ((u.missedPhasesTotalLastYear+u.missedPhasesTotalLastMonth+u.missedPhasesTotalLastWeek) / u.yearlyPhaseCount)
- 0.11 * u.missedPhasesLiveLastWeek
- 0.11 * (u.missedPhasesNonLiveLastWeek+u.missedPhasesNonLiveLastMonth)
- 0.05 * u.missedPhasesLiveLastMonth
- 0.05 * u.missedPhasesNonLiveLastYear)) */
if ( $User->type['Moderator'] || $User->id == $UserProfile->id )
{
print '<h4>Reliability rating calculation info:</h4>';
if( $reliabilityData['isPhasesDirty'] == 1 )
{
print '<p class="notice">Warning: Your reliability rating does not factor in all data; this may be because games are not processing. Please contact the mod team.</p>';
}
/*
yearlyPhaseCount, reliabilityRating, isPhasesDirty,
missedPhasesTotalLastYear, missedPhasesTotalLastMonth, missedPhasesTotalLastWeek,
missedPhasesLiveLastYear, missedPhasesLiveLastMonth, missedPhasesLiveLastWeek,
missedPhasesNonLiveLastYear, missedPhasesNonLiveLastMonth, missedPhasesNonLiveLastWeek,
*/
print '<Strong>Phases in last year:</Strong> '.$reliabilityData['yearlyPhaseCount'].'</br>';
print '<table><tr><th></th><th>Week</th><th>Month</th><th>Year</th><th>Recent</th><th>Non-recent</th><th>Total</th><th>% Reliability</th></tr>';
$totalMissed = ($reliabilityData['missedPhasesTotalLastWeek']+$reliabilityData['missedPhasesTotalLastMonth']+$reliabilityData['missedPhasesTotalLastYear']);
$baseReduction = round(100*$totalMissed/($reliabilityData['yearlyPhaseCount']==0 ? 1 : $reliabilityData['yearlyPhaseCount']),1);
print '<tr><th>Totals/Base (includes system/same-period excused)</th><td>'.
$reliabilityData['missedPhasesTotalLastWeek'].'</td><td>'.
$reliabilityData['missedPhasesTotalLastMonth'].'</td><td>'.
$reliabilityData['missedPhasesTotalLastYear'].'</td><td>'.
'N/A'.
'</td><td>'.
'N/A'.
'</td><td>'.
$totalMissed.'</td><td><strong>'.
-$baseReduction.'%</strong> '.
'('.$totalMissed.' / '.$reliabilityData['yearlyPhaseCount'].')'.'</td></tr>';
$nonLiveRecent = ($reliabilityData['missedPhasesNonLiveLastWeek']+$reliabilityData['missedPhasesNonLiveLastMonth']);
$nonLivePenalty = (11*$nonLiveRecent+5*$reliabilityData['missedPhasesNonLiveLastYear']);
print '<tr><th>Non-live Penalties</th><td>'.
$reliabilityData['missedPhasesNonLiveLastWeek'].'</td><td>'.
$reliabilityData['missedPhasesNonLiveLastMonth'].'</td><td>'.
$reliabilityData['missedPhasesNonLiveLastYear'].'</td><td>'.
($reliabilityData['missedPhasesNonLiveLastWeek']+$reliabilityData['missedPhasesNonLiveLastMonth']).' ('.
-(11 * $nonLiveRecent).'%)'.
'</td><td>'.
$reliabilityData['missedPhasesNonLiveLastYear'].' ('.
-(5 * $reliabilityData['missedPhasesNonLiveLastYear']).'%)'.
'</td><td>'.
($reliabilityData['missedPhasesNonLiveLastWeek']+$reliabilityData['missedPhasesNonLiveLastMonth']+$reliabilityData['missedPhasesNonLiveLastYear']).'</td><td><strong>'.
-$nonLivePenalty.'%</strong> ('.
(11 * $nonLiveRecent).'% + '.(5*$reliabilityData['missedPhasesNonLiveLastYear']).'%)</td></tr>';
$livePenalty = (11*$reliabilityData['missedPhasesLiveLastWeek']+ 5*$reliabilityData['missedPhasesLiveLastMonth']);
print '<tr><th>Live Penalties</th><td>'.
$reliabilityData['missedPhasesLiveLastWeek'].'</td><td>'.
$reliabilityData['missedPhasesLiveLastMonth'].'</td><td>'.
'N/A'.'</td><td>'.
$reliabilityData['missedPhasesLiveLastWeek'].' ('.
-(11 * $reliabilityData['missedPhasesLiveLastWeek']).'%)'.
'</td><td>'.
$reliabilityData['missedPhasesLiveLastMonth'].' ('.
-(5 * $reliabilityData['missedPhasesLiveLastMonth']).'%)'.
'</td><td>'.
($reliabilityData['missedPhasesLiveLastWeek']+$reliabilityData['missedPhasesLiveLastMonth']).'</td><td><strong>'.
-$livePenalty.'%</strong> ('.
(11 * $reliabilityData['missedPhasesLiveLastWeek']).'% + '.(5*$reliabilityData['missedPhasesLiveLastMonth']).'%)</td></tr>';
print '</table>';
print'<h4>Total:</h4>
<Strong>Reliability Rating:</Strong> 100% - Base/Total reduction ('.$baseReduction.'%) - Non-live penalty ('.$nonLivePenalty.'%) - Live penalty ('.$livePenalty.'%) = Reliability rating ('.round($reliabilityData['reliabilityRating'],1).'%)
</p>';
print '<h4>Missed Turns:</h4>
<p>Red = Unexcused</p>';
$tabl = $DB->sql_tabl("SELECT n.gameID, n.countryID, n.turn,
( CASE WHEN n.liveGame = 1 THEN 'Yes' ELSE 'No' END ),
g.name,
( CASE WHEN n.systemExcused = 1 THEN 'Yes' ELSE 'No' END ),
( CASE WHEN n.modExcused = 1 THEN 'Yes' ELSE 'No' END ),
( CASE WHEN n.samePeriodExcused = 1 THEN 'Yes' ELSE 'No' END ),
n.id,
n.turnDateTime,
CASE n.reliabilityPeriod WHEN -1 THEN 'New' WHEN 3 THEN 'Week' WHEN 2 THEN 'Month' WHEN 1 THEN 'Year' ELSE 'Expired' END
FROM wD_MissedTurns n
LEFT JOIN wD_Games g ON n.gameID = g.id
WHERE n.userID = ".$UserProfile->id. " and n.turnDateTime > ".(time() - 365*24*60*60));
if ($DB->last_affected() != 0)
{
print '<TABLE class="rrInfo">';
print '<tr>';
//print '<th class= "rrInfo">ID:</th>';
print '<th class= "rrInfo">Game:</th>';
print '<th class= "rrInfo">Country</th>';
print '<th class= "rrInfo">Turn:</th>';
print '<th class= "rrInfo">Live Game:</th>';
print '<th class= "rrInfo">System Excused:</th>';
print '<th class= "rrInfo">Mod Excused:</th>';
print '<th class= "rrInfo">Same Period Excused:</th>';
print '<th class= "rrInfo">Turn Date:</th>';
print '<th class= "rrInfo">Period:</th>';
print '</tr>';
while(list($gameID, $countryID, $turn, $liveGame, $name, $systemExcused, $modExcused, $samePeriodExcused, $id, $turnDateTime, $period)=$DB->tabl_row($tabl))
{
if ($systemExcused == 'No' && $modExcused == 'No' && $samePeriodExcused == 'No') { print '<tr style="background-color:#F08080;">'; }
else { print '<tr>'; }
//print '<td> <strong>'.$id.'</strong></td>';
if ($name != '')
{
$Variant=libVariant::loadFromGameID($gameID);
print '<td> <strong><a href="board.php?gameID='.$gameID.'">'.$name.'</a></strong></td>';
print '<td> <strong>'.$Variant->countries[$countryID-1].'</strong></td>';
print '<td> <strong>'.$Variant->turnAsDate($turn).'</strong></td>';
print '<td> <strong>'.$liveGame.'</strong></td>';
print '<td> <strong>'.$systemExcused.'</strong></td>';
print '<td> <strong>'.$modExcused.'</strong></td>';
print '<td> <strong>'.$samePeriodExcused.'</strong></td>';
print '<td> <strong>'.libTime::detailedText($turnDateTime).'</strong></td>';
print '<td> <strong>'.$period.'</strong></td>';
}
else
{
print '<td> <strong>Cancelled Game</strong></td>';
print '<td> <strong>'.$countryID.'</strong></td>';
print '<td> <strong>'.$turn.'</strong></td>';
print '<td> <strong>'.$liveGame.'</strong></td>';
print '<td> <strong>'.$systemExcused.'</strong></td>';
print '<td> <strong>'.$modExcused.'</strong></td>';
print '<td> <strong>'.$samePeriodExcused.'</strong></td>';
print '<td> <strong>'.libTime::detailedText($turnDateTime).'</strong></td>';
print '<td> <strong>'.$period.'</strong></td>';
}
print '</tr>';
}
print '</table>';
}
else
{
print 'No missed turns found for this profile.';
}
}
print '</div>';
print '</div>';
print '</div>';
// Display the Ghost Ratings Trend Google Chart generated in JS code below.
{
print '</br><div class = "profile-show">';
print '<div class = "profile_title">User relationships</div>';
print '<div class = "profile_content_show">';
print '<p>User relationships serve two purposes:<ul><li>1. Allow users who have a relationship outside of the server to <strong>disclose
and register</strong> the relationship.<br /><br />This lets other players account for possible bias in-game, lets players set their
games to exclude close relationships between players, and <strong>helps the moderator team</strong> ignore otherwise suspicious usage patterns
(e.g. a family / school using the same computer / network).<br /></li>
<li>2. Give users a way to <strong>register a suspicion</strong> that two or more users may have an undisclosed relationship, based on <strong>in-game
behavior</strong>.<br /><br />This gives the suspected user a chance to explain before needing moderators, allows users to exclude suspected-cheaters
from their games, gives an extra mechanism to help moderators identify cheaters by taking the <strong>suspicions of many users</strong> together,
provides a single place where a suspicion can be discussed directly, and allows <strong>repeat offenders to be tracked</strong> across new accounts
and excluded without requiring bans.</ul></p>';
$DB->sql_put("COMMIT");
$DB->sql_put("SET TRANSACTION ISOLATION LEVEL READ UNCOMMITTED"); // https://stackoverflow.com/a/918092
$groupUsers = Group::getUsers("gr.isActive = 1 AND g.userID = ".$UserProfile->id);
$DB->sql_put("COMMIT"); // This will revert back to READ COMMITTED.
$userJoinedGroups = array();
$userJoinedGroupsUnverified = array();
foreach($groupUsers as $groupUser)
{
if( $groupUser->isUserHidden() ) continue;
if( $groupUser->isVerified() )
{
$userJoinedGroups[$groupUser->groupID] = $groupUser;
}
else if( !$groupUser->isDenied() )
{
$userJoinedGroupsUnverified[$groupUser->groupID] = $groupUser;
}
}
unset($groupUsers);
print '<div>';
print GroupUserToUserLinks::loadFromUser($UserProfile)->outputTable();
print '</div>';
if( $User->type['User'] && $User->id != $UserProfile->id )
{
print '<div class="hr"></div>';
print '<p>';
print '<h4>Create / Add-to User Relationship:</h4>';
$declaredGroups = Group::declaredGroupNamesByID($User, true);
$suspectedGroups = Group::suspectedGroupNamesByID($User, true);
foreach($userJoinedGroups as $groupID => $groupName)
{
if( isset($declaredGroups[$groupID]) ) unset($declaredGroups[$groupID]);
if( isset($suspectedGroups[$groupID]) ) unset($suspectedGroups[$groupID]);
}
print '<div class = "profile_title">I have a relationship with this user</div>';
print '<div class = "profile_content">';
print '<form action="group.php" method="post">';
print '<input type="hidden" name="createGroup" value="on" />';
print '<input type="hidden" name="addSelf" value="on" />';
print '<input type="hidden" name="addUserID" value="'.$UserProfile->id.'" />';
print '<strong>New Name / Label:</strong> <input class="discloseNew" type="text" name="groupName" style="width:200px" /> ';
if( count($declaredGroups) > 0 )
{
print 'Or ';
print '<strong>Existing Name / Label:</strong> <select id="discloseExisting" name="groupID" style="width:200px"> ';
print '<option value="">(Create new)</option>';
foreach($declaredGroups as $groupID=>$groupName)
{
print '<option value="'.$groupID.'">'.$groupName.'</a>';
}
print '</select>';
}
print '<br />';
print
'<strong>Type:</strong> <input type="radio" class="discloseNew" name="groupType" value="Person"> <label for="selfGroupTypePerson">Same person</label> / '.
'<input type="radio" class="discloseNew" id="selfGroupTypeFamily" name="groupType" value="Family"> <label for="selfGroupTypeFamily">Family</label> / '.
'<input type="radio" class="discloseNew" id="selfGroupTypeSchool" name="groupType" value="School"> <label for="selfGroupTypeSchool">School</label> / '.
'<input type="radio" class="discloseNew" id="selfGroupTypeWork" name="groupType" value="Work"> <label for="selfGroupTypeWork">Work</label> / '.
'<input type="radio" class="discloseNew" id="selfGroupTypeOther" name="groupType" value="Other"> <label for="selfGroupTypeOther">Other</label>';
print '<br />';
print '<strong>Description / Explanation:</strong><br /><TEXTAREA class="discloseNew" NAME="groupDescription" ROWS="4"></TEXTAREA> ';
print '<br />';
print '<strong>Relation strength:</strong> <select name="groupUserStrength">'.
'<option value="33">Weak</option>'.
'<option value="66">Mid</option>'.
'<option value="100" selected>Strong</option>'.
'</select> ';
print '<br />';
print '<input type="submit" class="form-submit" value="Create relationship"><br />';
print libAuth::formTokenHTML();
print '</form></div>';
print '<div class = "profile_title">I suspect there is a relationship between this user and another user</div>';
print '<div class = "profile_content">';
print '<form action="group.php" method="post">';
print '<input type="hidden" name="createGroup" value="on" />';
print '<input type="hidden" name="addUserID" value="'.$UserProfile->id.'" />';
print '<input type="hidden" name="groupType" value="Unknown" />';
print '<strong>New Name / Label:</strong> <input class="suspectNew" type="text" name="groupName" style="width:200px" /> ';
if( count($suspectedGroups) > 0 )
{
print 'Or ';
print '<strong>Existing Name / Label:</strong> <select id="suspectExisting" name="groupID" style="width:200px"> ';
print '<option value="">(Create new)</option>';
foreach($suspectedGroups as $groupID=>$groupName)
{
print '<option value="'.$groupID.'">'.$groupName.'</option>';
}
print '</select>';
}
print '<br />';
print '<strong>Description / Explanation:</strong><br /><TEXTAREA class="suspectNew" NAME="groupDescription" ROWS="4"></TEXTAREA> ';
print '<br />';
print '<strong>Suspicion strength:</strong> <select name="groupUserStrength">'.
'<option value="33">Weak</option>'.
'<option value="66" selected>Mid</option>'.
'<option value="100">Strong</option>'.
'</select><br />';
print '<strong>Game reference:</strong> <select class="suspectNew" name="groupGameReference">'.
'<option value="">No reference</option>';
$tablActiveGamesShared = $DB->sql_tabl("SELECT g.id, g.name, g.turn FROM wD_Members a INNER JOIN wD_Games g ON g.id = a.gameID INNER JOIN wD_Members b ON g.id = b.gameID AND a.userID <> b.userID AND a.userID = " . $User->id." AND b.userID = ".$UserProfile->id." AND a.timeLoggedIn > ".(time() - 14*24*60*60)." AND b.timeLoggedIn > ".(time() - 14*24*60*60)." AND (g.anon='No' OR g.phase='Finished') ORDER BY a.timeLoggedIn DESC");
//$activeGamesShared = array();
$hasSharedGames = false;
while(list($gameID, $gameName, $gameTurn) = $DB->tabl_row($tablActiveGamesShared) )
{
//$activeGamesShared[] = array('gameID='.$gameID.',turn='.$gameTurn, $gameName );
print '<option value="gameID='.$gameID.',turn='.$gameTurn.'">'.$gameName.'</option>';
$hasSharedGames = true;
}
print '</select>';
print '<br />';
if( !$hasSharedGames && !$User->type['Moderator'] )
{
print '<em>Cannot create a relationship against this user as you do not share any active games with the user, so cannot provide a game reference.<br />'.
'Suspect relationships can only be considered from people who are in a game together.</em>';
}
else
{
print '<input type="submit" class="form-submit" value="Create relationship"><br />';
print libAuth::formTokenHTML();
}
print '</form>';
print '</div>';
?>
<script>
document.observe("dom:loaded", function() {
$$('#suspectExisting').each(function(i) { i.observe('change', function() {
var toggleVal = ( this.value == "" );
$$('.suspectNew').each(function(i) {
if( toggleVal )
{
i.enable();
}
else
{
i.disable();
}
});
});});
$$('#discloseExisting').each(function(i) { i.observe('change', function() {
var toggleVal = ( this.value == "" );
$$('.discloseNew').each(function(i) {
if( toggleVal )
{
i.enable();
}
else
{
i.disable();
}
});
});});
});
</script>
<?php
}
print '<div class="hr"></div>';
print '<h4>Verified Relationships</h4>';
if( count($userJoinedGroups) == 0 )
{
print '<p class="notice">No verified relationships exist for this user.</p>';
}
else
{
print Group::outputUserTable_static($userJoinedGroups, null, null);
}
print '<h4>Unverified Relationships</h4>';
if( count($userJoinedGroupsUnverified) == 0 )
{
print '<p class="notice">No unverified relationships exist for this user.</p>';
}
else
{
print Group::outputUserTable_static($userJoinedGroupsUnverified, null, null);
}
print '</table>';
print '</div>';
print '</div>';
}
print '<div id="profile-separator"></div>';
// Display the Ghost Ratings Trend Google Chart generated in JS code below.
if (count($ghostRatingTrends) > 2)
{
print '</br><div class = "profile-show">';
print '<div class = "profile_title">Ghost Rating Overall Trending</div>';
print '<div class = "profile_content_gr">';
print '<div id="line_chart"></div>';
print '</div>';
print '</div>';
}
print '<div id="profile-separator"></div>';
// This section of code is designed to interact with phpbb3 forums, allowing users to private message other members through the phpb3 inbox.
if( isset(Config::$customForumURL) )
{
if ( $User->type['User'] && $User->id != $UserProfile->id)
{
list($newForumID) = $DB->sql_row("SELECT user_id FROM `phpbb_users` WHERE webdip_user_id = ".$UserProfile->id);
if ($newForumID > 0)
{
print '
<div id="profile-forum-link-container">
<div class="profile-forum-links">
<a class="profile-link" href="/contrib/phpBB3/memberlist.php?mode=viewprofile&u='.$newForumID.'">
<button class="form-submit" id="view-forum-profile">
New Forum Profile
</button>
</a>
</div>';
print '
<div class="profile-forum-links">
<a class="profile-link" href="/contrib/phpBB3/ucp.php?i=pm&mode=compose&u='.$newForumID.'">
<button class="form-submit" id="send-pm">
Send a message to this user
</button>
</a>
</div>
</div>';
}
else
{
print '<p class="profileCommentURL">This user cannot currently receive messages.</p>';
}
}
}
print '</div>';
?>
<!-- The purpose of this script is to detect button clicks on any html div called profile_title, this allows clickable elements to be loaded hidden and be toggled on click -->
<script type="text/javascript">