]> WPIA git - gigi.git/blob - src/club/wpia/gigi/dbObjects/User.java
upd: introduce constant for waiting time for jobs
[gigi.git] / src / club / wpia / gigi / dbObjects / User.java
1 package club.wpia.gigi.dbObjects;
2
3 import java.io.IOException;
4 import java.io.ObjectInputStream;
5 import java.io.ObjectOutputStream;
6 import java.util.ArrayList;
7 import java.util.Collections;
8 import java.util.HashSet;
9 import java.util.LinkedList;
10 import java.util.List;
11 import java.util.Locale;
12 import java.util.Set;
13 import java.util.TreeSet;
14
15 import club.wpia.gigi.Gigi;
16 import club.wpia.gigi.GigiApiException;
17 import club.wpia.gigi.database.GigiPreparedStatement;
18 import club.wpia.gigi.database.GigiResultSet;
19 import club.wpia.gigi.dbObjects.CATS.CATSType;
20 import club.wpia.gigi.dbObjects.Certificate.RevocationType;
21 import club.wpia.gigi.dbObjects.Country.CountryCodeType;
22 import club.wpia.gigi.dbObjects.Verification.VerificationType;
23 import club.wpia.gigi.email.EmailProvider;
24 import club.wpia.gigi.localisation.Language;
25 import club.wpia.gigi.output.DateSelector;
26 import club.wpia.gigi.pages.PasswordResetPage;
27 import club.wpia.gigi.util.CalendarUtil;
28 import club.wpia.gigi.util.DayDate;
29 import club.wpia.gigi.util.Notary;
30 import club.wpia.gigi.util.PasswordHash;
31 import club.wpia.gigi.util.TimeConditions;
32
33 /**
34  * Represents an acting, verifiable user. Synchronizing on user means: no
35  * name-change and no verification.
36  */
37 public class User extends CertificateOwner {
38
39     private static final long serialVersionUID = -7915843843752264176L;
40
41     private DayDate dob;
42
43     private String email;
44
45     private Verification[] receivedVerifications;
46
47     private Verification[] madeVerifications;
48
49     private Locale locale;
50
51     private Set<Group> groups = new HashSet<>();
52
53     public static final int MINIMUM_AGE = 16;
54
55     public static final int MAXIMUM_PLAUSIBLE_AGE = 120;
56
57     public static final int POJAM_AGE = 14;
58
59     public static final int ADULT_AGE = 18;
60
61     public static final boolean POJAM_ENABLED = false;
62
63     public static final int EXPERIENCE_POINTS = 4;
64
65     /**
66      * Time in months a verification is considered "recent".
67      */
68     public static final int VERIFICATION_MONTHS = TimeConditions.getInstance().getVerificationMonths();
69
70     private Name preferredName;
71
72     private Country residenceCountry;
73
74     protected User(GigiResultSet rs) throws GigiApiException {
75         super(rs.getInt("id"));
76
77         dob = new DayDate(rs.getDate("dob"));
78         email = rs.getString("email");
79         preferredName = Name.getById(rs.getInt("preferredName"));
80
81         if (rs.getString("country") != null) {
82             residenceCountry = Country.getCountryByCode(rs.getString("Country"), Country.CountryCodeType.CODE_2_CHARS);
83         }
84
85         String localeStr = rs.getString("language");
86         if (localeStr == null || localeStr.equals("")) {
87             locale = Locale.getDefault();
88         } else {
89             locale = Language.getLocaleFromString(localeStr);
90         }
91
92         refreshGroups();
93     }
94
95     public synchronized void refreshGroups() {
96         HashSet<Group> hs = new HashSet<>();
97         try (GigiPreparedStatement psg = new GigiPreparedStatement("SELECT `permission` FROM `user_groups` WHERE `user`=? AND `deleted` is NULL")) {
98             psg.setInt(1, getId());
99
100             try (GigiResultSet rs2 = psg.executeQuery()) {
101                 while (rs2.next()) {
102                     hs.add(Group.getByString(rs2.getString(1)));
103                 }
104             }
105         }
106         groups = hs;
107     }
108
109     public User(String email, String password, DayDate dob, Locale locale, Country residenceCountry, NamePart... preferred) throws GigiApiException {
110         super(validate(email));
111
112         this.email = email;
113         this.dob = dob;
114         this.locale = locale;
115         this.preferredName = new Name(this, preferred);
116         try (GigiPreparedStatement query = new GigiPreparedStatement("INSERT INTO `users` SET `email`=?, `password`=?, `dob`=?, `language`=?, id=?, `preferredName`=?, `country` = ?")) {
117             query.setString(1, email);
118             query.setString(2, PasswordHash.hash(password));
119             query.setDate(3, dob.toSQLDate());
120             query.setString(4, locale.toString());
121             query.setInt(5, getId());
122             query.setInt(6, preferredName.getId());
123             query.setString(7, residenceCountry == null ? null : residenceCountry.getCode());
124             query.execute();
125         }
126
127         new EmailAddress(this, email, locale);
128     }
129
130     private static Void validate(String email) {
131         // Avoid storing information that obviously won't get through
132         if ( !EmailProvider.isValidMailAddress(email)) {
133             throw new IllegalArgumentException("Invalid email.");
134         }
135         return null;
136     }
137
138     public Name[] getNames() {
139         try (GigiPreparedStatement gps = new GigiPreparedStatement("SELECT `id` FROM `names` WHERE `uid`=? AND `deleted` IS NULL", true)) {
140             gps.setInt(1, getId());
141             return fetchNamesToArray(gps);
142         }
143     }
144
145     public Name[] getNonDeprecatedNames() {
146         try (GigiPreparedStatement gps = new GigiPreparedStatement("SELECT `id` FROM `names` WHERE `uid`=? AND `deleted` IS NULL AND `deprecated` IS NULL", true)) {
147             gps.setInt(1, getId());
148             return fetchNamesToArray(gps);
149         }
150     }
151
152     private Name[] fetchNamesToArray(GigiPreparedStatement gps) {
153         GigiResultSet rs = gps.executeQuery();
154         rs.last();
155         Name[] dt = new Name[rs.getRow()];
156         rs.beforeFirst();
157         for (int i = 0; rs.next(); i++) {
158             dt[i] = Name.getById(rs.getInt(1));
159         }
160         return dt;
161     }
162
163     public DayDate getDoB() {
164         return dob;
165     }
166
167     public void setDoB(DayDate dob) throws GigiApiException {
168         synchronized (Notary.class) {
169             if (getReceivedVerifications().length != 0) {
170                 throw new GigiApiException("No change after verification allowed.");
171             }
172
173             if ( !CalendarUtil.isOfAge(dob, User.MINIMUM_AGE)) {
174                 throw new GigiApiException("Entered date of birth is below the restricted age requirements.");
175             }
176
177             if (CalendarUtil.isYearsInFuture(dob.end(), User.MAXIMUM_PLAUSIBLE_AGE)) {
178                 throw new GigiApiException("Entered date of birth exceeds the maximum age set in our policies. Please check your DoB is correct and contact support if the issue persists.");
179             }
180             this.dob = dob;
181             rawUpdateUserData();
182         }
183
184     }
185
186     protected void setDoBAsSupport(DayDate dob) throws GigiApiException {
187         synchronized (Notary.class) {
188             this.dob = dob;
189             rawUpdateUserData();
190         }
191
192     }
193
194     public String getEmail() {
195         return email;
196     }
197
198     public void changePassword(String oldPass, String newPass) throws GigiApiException {
199         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `password` FROM `users` WHERE `id`=?")) {
200             ps.setInt(1, getId());
201             try (GigiResultSet rs = ps.executeQuery()) {
202                 if ( !rs.next()) {
203                     throw new GigiApiException("User not found... very bad.");
204                 }
205                 if (PasswordHash.verifyHash(oldPass, rs.getString(1)) == null) {
206                     throw new GigiApiException("Old password does not match.");
207                 }
208             }
209         }
210         setPassword(newPass);
211     }
212
213     private void setPassword(String newPass) throws GigiApiException {
214         Name[] names = getNames();
215         TreeSet<String> nameParts = new TreeSet<>();
216         for (int i = 0; i < names.length; i++) {
217             for (NamePart string : names[i].getParts()) {
218                 nameParts.add(string.getValue());
219             }
220         }
221         GigiApiException gaPassword = Gigi.getPasswordChecker().checkPassword(newPass, nameParts.toArray(new String[nameParts.size()]), getEmail());
222         if (gaPassword != null) {
223             throw gaPassword;
224         }
225         try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE users SET `password`=? WHERE id=?")) {
226             ps.setString(1, PasswordHash.hash(newPass));
227             ps.setInt(2, getId());
228             ps.executeUpdate();
229         }
230     }
231
232     public boolean canVerify() {
233         if (POJAM_ENABLED) {
234             if ( !CalendarUtil.isOfAge(dob, POJAM_AGE)) { // PoJAM
235                 return false;
236             }
237         } else {
238             if ( !CalendarUtil.isOfAge(dob, ADULT_AGE)) {
239                 return false;
240             }
241         }
242         if (getVerificationPoints() < 100) {
243             return false;
244         }
245
246         return hasPassedCATS();
247
248     }
249
250     public boolean hasPassedCATS() {
251         try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT 1 FROM `cats_passed` where `user_id`=? AND `variant_id`=?")) {
252             query.setInt(1, getId());
253             query.setInt(2, CATSType.AGENT_CHALLENGE.getId());
254             try (GigiResultSet rs = query.executeQuery()) {
255                 if (rs.next()) {
256                     return true;
257                 } else {
258                     return false;
259                 }
260             }
261         }
262     }
263
264     public int getVerificationPoints() {
265         try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT SUM(lastpoints) FROM ( SELECT DISTINCT ON (`from`, `method`) `from`, `points` as lastpoints FROM `notary` INNER JOIN `names` ON `names`.`id`=`to` WHERE `notary`.`deleted` is NULL AND (`expire` IS NULL OR `expire` > CURRENT_TIMESTAMP) AND `names`.`uid` = ? ORDER BY `from`, `method`, `when` DESC) as p")) {
266             query.setInt(1, getId());
267
268             GigiResultSet rs = query.executeQuery();
269             int points = 0;
270
271             if (rs.next()) {
272                 points = rs.getInt(1);
273             }
274
275             return points;
276         }
277     }
278
279     public int getExperiencePoints() {
280         try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT count(*) FROM ( SELECT `names`.`uid` FROM `notary` INNER JOIN `names` ON `names`.`id` = `to` WHERE `from`=? AND `notary`.`deleted` IS NULL AND `method` = ? ::`notaryType` GROUP BY `names`.`uid`) as p")) {
281             query.setInt(1, getId());
282             query.setEnum(2, VerificationType.FACE_TO_FACE);
283
284             GigiResultSet rs = query.executeQuery();
285             int points = 0;
286
287             if (rs.next()) {
288                 points = rs.getInt(1) * EXPERIENCE_POINTS;
289             }
290
291             return points;
292         }
293     }
294
295     /**
296      * Gets the maximum allowed points NOW. Note that a verification needs to
297      * re-check PoJam as it has taken place in the past.
298      * 
299      * @return the maximal points @
300      */
301     @SuppressWarnings("unused")
302     public int getMaxVerifyPoints() {
303         if ( !CalendarUtil.isOfAge(dob, ADULT_AGE) && POJAM_ENABLED) {
304             return 10; // PoJAM
305         }
306
307         int exp = getExperiencePoints();
308         int points = 10;
309
310         if (exp >= 5 * EXPERIENCE_POINTS) {
311             points += 5;
312         }
313         if (exp >= 10 * EXPERIENCE_POINTS) {
314             points += 5;
315         }
316         if (exp >= 15 * EXPERIENCE_POINTS) {
317             points += 5;
318         }
319         if (exp >= 20 * EXPERIENCE_POINTS) {
320             points += 5;
321         }
322         if (exp >= 25 * EXPERIENCE_POINTS) {
323             points += 5;
324         }
325
326         return points;
327     }
328
329     public boolean isValidName(String name) {
330         for (Name n : getNames()) {
331             if (n.matches(name) && n.getVerificationPoints() >= 50) {
332                 return true;
333             }
334         }
335         return false;
336     }
337
338     public void updateDefaultEmail(EmailAddress newMail) throws GigiApiException {
339         for (EmailAddress email : getEmails()) {
340             if (email.getAddress().equals(newMail.getAddress())) {
341                 if ( !email.isVerified()) {
342                     throw new GigiApiException("Email not verified.");
343                 }
344
345                 try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE users SET email=? WHERE id=?")) {
346                     ps.setString(1, newMail.getAddress());
347                     ps.setInt(2, getId());
348                     ps.execute();
349                 }
350
351                 this.email = newMail.getAddress();
352                 return;
353             }
354         }
355
356         throw new GigiApiException("Given address not an address of the user.");
357     }
358
359     public void deleteEmail(EmailAddress delMail) throws GigiApiException {
360         if (getEmail().equals(delMail.getAddress())) {
361             throw new GigiApiException("Can't delete user's default e-mail.");
362         }
363
364         deleteEmailCerts(delMail, RevocationType.USER);
365     }
366
367     private void deleteEmailCerts(EmailAddress delMail, RevocationType rt) throws GigiApiException {
368         for (EmailAddress email : getEmails()) {
369             if (email.getId() == delMail.getId()) {
370                 try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE `emails` SET `deleted`=CURRENT_TIMESTAMP WHERE `id`=?")) {
371                     ps.setInt(1, delMail.getId());
372                     ps.execute();
373                 }
374                 LinkedList<Job> revokes = new LinkedList<Job>();
375                 for (Certificate cert : fetchActiveEmailCertificates(delMail.getAddress())) {
376                     cert.revoke(RevocationType.USER).waitFor(Job.WAIT_MIN);
377                 }
378                 long start = System.currentTimeMillis();
379                 for (Job job : revokes) {
380                     int toWait = (int) (60000 + start - System.currentTimeMillis());
381                     if (toWait > 0) {
382                         job.waitFor(toWait);
383                     } else {
384                         break; // canceled... waited too log
385                     }
386                 }
387                 return;
388             }
389
390         }
391         throw new GigiApiException("Email not one of user's email addresses.");
392
393     }
394
395     public Certificate[] fetchActiveEmailCertificates(String email) {
396         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT DISTINCT `certs`.`id` FROM `certs` INNER JOIN `subjectAlternativeNames` ON `subjectAlternativeNames`.`certId` = `certs`.`id` WHERE `contents`=?  AND `type`='email' AND `revoked` IS NULL AND `expire` > CURRENT_TIMESTAMP AND `memid`=?", true)) {
397             ps.setString(1, email);
398             ps.setInt(2, getId());
399             GigiResultSet rs = ps.executeQuery();
400             rs.last();
401             Certificate[] res = new Certificate[rs.getRow()];
402             rs.beforeFirst();
403             int i = 0;
404             while (rs.next()) {
405                 res[i++] = Certificate.getById(rs.getInt(1));
406             }
407             return res;
408         }
409     }
410
411     public synchronized Verification[] getReceivedVerifications() {
412         if (receivedVerifications == null) {
413             try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT * FROM `notary` INNER JOIN `names` ON `names`.`id` = `notary`.`to` WHERE `names`.`uid`=? AND `notary`.`deleted` IS NULL ORDER BY `when` DESC")) {
414                 query.setInt(1, getId());
415
416                 GigiResultSet res = query.executeQuery();
417                 List<Verification> verifications = new LinkedList<Verification>();
418
419                 while (res.next()) {
420                     verifications.add(verificationByRes(res));
421                 }
422
423                 this.receivedVerifications = verifications.toArray(new Verification[0]);
424             }
425         }
426
427         return receivedVerifications;
428     }
429
430     public synchronized Verification[] getMadeVerifications() {
431         if (madeVerifications == null) {
432             try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT * FROM notary WHERE `from`=? AND deleted is NULL ORDER BY `when` DESC")) {
433                 query.setInt(1, getId());
434
435                 try (GigiResultSet res = query.executeQuery()) {
436                     List<Verification> verifications = new LinkedList<Verification>();
437
438                     while (res.next()) {
439                         verifications.add(verificationByRes(res));
440                     }
441
442                     this.madeVerifications = verifications.toArray(new Verification[0]);
443                 }
444             }
445         }
446
447         return madeVerifications;
448     }
449
450     public synchronized void invalidateMadeVerifications() {
451         madeVerifications = null;
452     }
453
454     public synchronized void invalidateReceivedVerifications() {
455         receivedVerifications = null;
456     }
457
458     private void rawUpdateUserData() {
459         try (GigiPreparedStatement update = new GigiPreparedStatement("UPDATE users SET dob=? WHERE id=?")) {
460             update.setDate(1, getDoB().toSQLDate());
461             update.setInt(2, getId());
462             update.executeUpdate();
463         }
464     }
465
466     public Locale getPreferredLocale() {
467         return locale;
468     }
469
470     public void setPreferredLocale(Locale locale) {
471         this.locale = locale;
472
473     }
474
475     public synchronized Name getPreferredName() {
476         return preferredName;
477     }
478
479     public synchronized void setPreferredName(Name preferred) throws GigiApiException {
480         if (preferred.getOwner() != this) {
481             throw new GigiApiException("Cannot set a name as preferred one that does not belong to this account.");
482         }
483         this.preferredName = preferred;
484         try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE `users` SET `preferredName`=? WHERE `id`=?")) {
485             ps.setInt(1, preferred.getId());
486             ps.setInt(2, getId());
487             ps.executeUpdate();
488         }
489
490     }
491
492     public synchronized String getInitials() {
493         return preferredName.toInitialsString();
494     }
495
496     public boolean isInGroup(Group g) {
497         return groups.contains(g);
498     }
499
500     public Set<Group> getGroups() {
501         return Collections.unmodifiableSet(groups);
502     }
503
504     public void grantGroup(User granter, Group toGrant) throws GigiApiException {
505         if (toGrant.isManagedBySupport() && !granter.isInGroup(Group.SUPPORTER)) {
506             throw new GigiApiException("Group may only be managed by supporter");
507         }
508         if (toGrant.isManagedBySupport() && granter == this) {
509             throw new GigiApiException("Group may only be managed by supporter that is not oneself");
510         }
511         groups.add(toGrant);
512         try (GigiPreparedStatement ps = new GigiPreparedStatement("INSERT INTO `user_groups` SET `user`=?, `permission`=?::`userGroup`, `grantedby`=?")) {
513             ps.setInt(1, getId());
514             ps.setEnum(2, toGrant);
515             ps.setInt(3, granter.getId());
516             ps.execute();
517         }
518     }
519
520     public void revokeGroup(User revoker, Group toRevoke) throws GigiApiException {
521         if (toRevoke.isManagedBySupport() && !revoker.isInGroup(Group.SUPPORTER)) {
522             throw new GigiApiException("Group may only be managed by supporter");
523         }
524         groups.remove(toRevoke);
525         try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE `user_groups` SET `deleted`=CURRENT_TIMESTAMP, `revokedby`=? WHERE `deleted` IS NULL AND `permission`=?::`userGroup` AND `user`=?")) {
526             ps.setInt(1, revoker.getId());
527             ps.setEnum(2, toRevoke);
528             ps.setInt(3, getId());
529             ps.execute();
530         }
531     }
532
533     public List<Organisation> getOrganisations() {
534         return getOrganisations(false);
535     }
536
537     public List<Organisation> getOrganisations(boolean isAdmin) {
538         List<Organisation> orgas = new ArrayList<>();
539         try (GigiPreparedStatement query = new GigiPreparedStatement("SELECT `orgid` FROM `org_admin` WHERE `memid`=? AND `deleted` IS NULL" + (isAdmin ? " AND master='y'" : ""))) {
540             query.setInt(1, getId());
541             try (GigiResultSet res = query.executeQuery()) {
542                 while (res.next()) {
543                     orgas.add(Organisation.getById(res.getInt(1)));
544                 }
545
546                 return orgas;
547             }
548         }
549     }
550
551     public static synchronized User getById(int id) {
552         CertificateOwner co = CertificateOwner.getById(id);
553         if (co instanceof User) {
554             return (User) co;
555         }
556
557         return null;
558     }
559
560     public static User getByEmail(String mail) {
561         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `users`.`id` FROM `users` INNER JOIN `certOwners` ON `certOwners`.`id` = `users`.`id` WHERE `email`=? AND `deleted` IS NULL")) {
562             ps.setString(1, mail);
563             GigiResultSet rs = ps.executeQuery();
564             if ( !rs.next()) {
565                 return null;
566             }
567
568             return User.getById(rs.getInt(1));
569         }
570     }
571
572     public static User[] findByEmail(String mail) {
573         LinkedList<User> results = new LinkedList<User>();
574         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `users`.`id` FROM `users` INNER JOIN `certOwners` ON `certOwners`.`id` = `users`.`id` WHERE `users`.`email` LIKE ? AND `deleted` IS NULL GROUP BY `users`.`id` LIMIT 100")) {
575             ps.setString(1, mail);
576             GigiResultSet rs = ps.executeQuery();
577             while (rs.next()) {
578                 results.add(User.getById(rs.getInt(1)));
579             }
580             return results.toArray(new User[results.size()]);
581         }
582     }
583
584     public EmailAddress[] getEmails() {
585         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `id` FROM `emails` WHERE `memid`=? AND `deleted` IS NULL")) {
586             ps.setInt(1, getId());
587
588             GigiResultSet rs = ps.executeQuery();
589             LinkedList<EmailAddress> data = new LinkedList<EmailAddress>();
590
591             while (rs.next()) {
592                 data.add(EmailAddress.getById(rs.getInt(1)));
593             }
594
595             return data.toArray(new EmailAddress[0]);
596         }
597     }
598
599     @Override
600     public boolean isValidEmail(String email) {
601         for (EmailAddress em : getEmails()) {
602             if (em.getAddress().equals(email)) {
603                 return em.isVerified();
604             }
605         }
606
607         return false;
608     }
609
610     public String[] getTrainings() {
611         try (GigiPreparedStatement prep = new GigiPreparedStatement("SELECT `pass_date`, `type_text`, `language`, `version` FROM `cats_passed` LEFT JOIN `cats_type` ON `cats_type`.`id`=`cats_passed`.`variant_id`  WHERE `user_id`=? ORDER BY `pass_date` DESC")) {
612             prep.setInt(1, getId());
613             GigiResultSet res = prep.executeQuery();
614             List<String> entries = new LinkedList<String>();
615
616             while (res.next()) {
617                 StringBuilder training = new StringBuilder();
618                 training.append(DateSelector.getDateFormat().format(res.getTimestamp(1)));
619                 training.append(" (");
620                 training.append(res.getString(2));
621                 if (res.getString(3).length() > 0) {
622                     training.append(" ");
623                     training.append(res.getString(3));
624                 }
625                 if (res.getString(4).length() > 0) {
626                     training.append(", ");
627                     training.append(res.getString(4));
628                 }
629                 training.append(")");
630                 entries.add(training.toString());
631             }
632
633             return entries.toArray(new String[0]);
634         }
635
636     }
637
638     public int generatePasswordResetTicket(User actor, String token, String privateToken) {
639         try (GigiPreparedStatement ps = new GigiPreparedStatement("INSERT INTO `passwordResetTickets` SET `memid`=?, `creator`=?, `token`=?, `private_token`=?")) {
640             ps.setInt(1, getId());
641             ps.setInt(2, getId());
642             ps.setString(3, token);
643             ps.setString(4, PasswordHash.hash(privateToken));
644             ps.execute();
645             return ps.lastInsertId();
646         }
647     }
648
649     public static User getResetWithToken(int id, String token) {
650         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `memid` FROM `passwordResetTickets` WHERE `id`=? AND `token`=? AND `used` IS NULL AND `created` > CURRENT_TIMESTAMP - interval '1 hours' * ?::INTEGER")) {
651             ps.setInt(1, id);
652             ps.setString(2, token);
653             ps.setInt(3, PasswordResetPage.HOUR_MAX);
654             GigiResultSet res = ps.executeQuery();
655             if ( !res.next()) {
656                 return null;
657             }
658             return User.getById(res.getInt(1));
659         }
660     }
661
662     public synchronized void consumePasswordResetTicket(int id, String private_token, String newPassword) throws GigiApiException {
663         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT `private_token` FROM `passwordResetTickets` WHERE `id`=? AND `memid`=? AND `used` IS NULL")) {
664             ps.setInt(1, id);
665             ps.setInt(2, getId());
666             GigiResultSet rs = ps.executeQuery();
667             if ( !rs.next()) {
668                 throw new GigiApiException("Token could not be found, has already been used, or is expired.");
669             }
670             if (PasswordHash.verifyHash(private_token, rs.getString(1)) == null) {
671                 throw new GigiApiException("Private token does not match.");
672             }
673             setPassword(newPassword);
674         }
675         try (GigiPreparedStatement ps = new GigiPreparedStatement("UPDATE `passwordResetTickets` SET  `used` = CURRENT_TIMESTAMP WHERE `id`=?")) {
676             ps.setInt(1, id);
677             ps.executeUpdate();
678         }
679     }
680
681     private Verification verificationByRes(GigiResultSet res) {
682         try {
683             return new Verification(res.getInt("id"), User.getById(res.getInt("from")), Name.getById(res.getInt("to")), res.getString("location"), res.getString("method"), res.getInt("points"), res.getString("date"), res.getString("country") == null ? null : Country.getCountryByCode(res.getString("country"), CountryCodeType.CODE_2_CHARS), res.getTimestamp("expire"));
684         } catch (GigiApiException e) {
685             throw new Error(e);
686         }
687     }
688
689     public boolean isInVerificationLimit() {
690         try (GigiPreparedStatement ps = new GigiPreparedStatement("SELECT 1 FROM `notary` INNER JOIN `names` ON `names`.`id`=`to` WHERE `names`.`uid` = ? AND `when` > (now() - (interval '1 month' * ?::INTEGER)) AND (`expire` IS NULL OR `expire` > now()) AND `notary`.`deleted` IS NULL;")) {
691             ps.setInt(1, getId());
692             ps.setInt(2, VERIFICATION_MONTHS);
693
694             GigiResultSet rs = ps.executeQuery();
695             return rs.next();
696         }
697     }
698
699     private void writeObject(ObjectOutputStream oos) throws IOException {}
700
701     private void readObject(ObjectInputStream ois) throws IOException, ClassNotFoundException {}
702
703     public Country getResidenceCountry() {
704         return residenceCountry;
705     }
706
707     public void setResidenceCountry(Country residenceCountry) {
708         this.residenceCountry = residenceCountry;
709         rawUpdateCountryData();
710     }
711
712     private void rawUpdateCountryData() {
713         try (GigiPreparedStatement update = new GigiPreparedStatement("UPDATE users SET country=? WHERE id=?")) {
714             update.setString(1, residenceCountry == null ? null : residenceCountry.getCode());
715             update.setInt(2, getId());
716             update.executeUpdate();
717         }
718     }
719
720     public boolean hasValidRAChallenge() {
721         return CATS.isInCatsLimit(getId(), CATSType.AGENT_CHALLENGE.getId());
722     }
723
724     public boolean hasValidSupportChallenge() {
725         return CATS.isInCatsLimit(getId(), CATSType.SUPPORT_DP_CHALLENGE_NAME.getId());
726     }
727
728     public boolean hasValidOrgAdminChallenge() {
729         return CATS.isInCatsLimit(getId(), CATSType.ORG_ADMIN_DP_CHALLENGE_NAME.getId());
730     }
731
732     public boolean hasValidOrgAgentChallenge() {
733         return CATS.isInCatsLimit(getId(), CATSType.ORG_AGENT_CHALLENGE.getId());
734     }
735
736     public boolean hasValidTTPAgentChallenge() {
737         return CATS.isInCatsLimit(getId(), CATSType.TTP_AGENT_CHALLENGE.getId());
738     }
739
740     public void writeUserLog(User actor, String type) throws GigiApiException {
741         try (GigiPreparedStatement prep = new GigiPreparedStatement("INSERT INTO `adminLog` SET uid=?, admin=?, type=?")) {
742             prep.setInt(1, actor.getId());
743             prep.setInt(2, getId());
744             prep.setString(3, type);
745             prep.executeUpdate();
746         }
747     }
748 }