]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/WikiUserNew.php
fixed problem with two different dsn and auth_dsn database backends
[SourceForge/phpwiki.git] / lib / WikiUserNew.php
1 <?php //-*-php-*-
2 rcs_id('$Id: WikiUserNew.php,v 1.39 2004-03-25 22:33:38 rurban Exp $');
3 /* Copyright (C) 2004 $ThePhpWikiProgrammingTeam
4  */
5 /**
6  * This is a complete OOP rewrite of the old WikiUser code with various
7  * configurable external authentication methods.
8  *
9  * There's only one entry point, the function WikiUser which returns 
10  * a WikiUser object, which contains the user's preferences.
11  * This object might get upgraded during the login step and later also.
12  * There exist three preferences storage methods: cookie, homepage and db,
13  * and multiple password checking methods.
14  * See index.php for $USER_AUTH_ORDER[] and USER_AUTH_POLICY if 
15  * ALLOW_USER_PASSWORDS is defined.
16  *
17  * Each user object must define the two preferences methods 
18  *  getPreferences(), setPreferences(), 
19  * and the following 1-4 auth methods
20  *  checkPass()  must be defined by all classes,
21  *  userExists() only if USER_AUTH_POLICY'=='strict' 
22  *  mayChangePass()  only if the password is storable.
23  *  storePass()  only if the password is storable.
24  *
25  * WikiUser() given no name, returns an _AnonUser (anonymous user)
26  * object, who may or may not have a cookie. 
27  * However, if the there's a cookie with the userid or a session, 
28  * the user is upgraded to the matching user object.
29  * Given a user name, returns a _BogoUser object, who may or may not 
30  * have a cookie and/or PersonalPage, one of the various _PassUser objects 
31  * or an _AdminUser object.
32  * BTW: A BogoUser is a userid (loginname) as valid WikiWord, who might 
33  * have stored a password or not. If so, his account is secure, if not
34  * anybody can use it, because the username is visible e.g. in RecentChanges.
35  *
36  * Takes care of passwords, all preference loading/storing in the
37  * user's page and any cookies. lib/main.php will query the user object to
38  * verify the password as appropriate.
39  *
40  * @author: Reini Urban (the tricky parts), 
41  *          Carsten Klapp (started rolling the ball)
42  *
43  * Notes by 2004-01-25 03:43:45 rurban
44  * Test it by defining ENABLE_USER_NEW in index.php
45  * 1) Now a ForbiddenUser is returned instead of false.
46  * 2) Previously ALLOW_ANON_USER = false meant that anon users cannot edit, 
47  *    but may browse. Now with ALLOW_ANON_USER = false he may not browse, 
48  *    which is needed to disable browse PagePermissions.
49  *    I added now ALLOW_ANON_EDIT = true to makes things clear. 
50  *    (which replaces REQUIRE_SIGNIN_BEFORE_EDIT)
51  * 2004-02-27 rurban:
52  * 3) Removed pear prepare. Performance hog, and using integers as 
53  *    handler doesn't help. Do simple sprintf as with adodb. And a prepare
54  *    in the object init is no advantage, because in the init loop a lot of 
55  *    objects are tried, but not used.
56  * 4) Already gotten prefs are passed to the next object to avoid 
57  *    duplicate getPreferences() calls.
58  * 2004-03-18 17:32:21 rurban
59  * 5) Major php-5 problem: $this re-assignment is disallowed by the parser
60  *    So we cannot just discrimate with 
61  *      if (!check_php_version(5))
62  *          $this = $user;
63  * 2004-03-24 rurban
64  * 6) enforced new cookie policy: prefs don't get stored in cookies
65  *    anymore, only in homepage and/or database, but always in the 
66  *    current session. old pref cookies will get deleted.
67  */
68
69 define('WIKIAUTH_FORBIDDEN', -1); // Completely not allowed.
70 define('WIKIAUTH_ANON', 0);       // Not signed in.
71 define('WIKIAUTH_BOGO', 1);       // Any valid WikiWord is enough.
72 define('WIKIAUTH_USER', 2);       // Bogo user with a password.
73 define('WIKIAUTH_ADMIN', 10);     // UserName == ADMIN_USER.
74
75 if (!defined('COOKIE_EXPIRATION_DAYS')) define('COOKIE_EXPIRATION_DAYS', 365);
76 if (!defined('COOKIE_DOMAIN'))          define('COOKIE_DOMAIN', '/');
77
78 if (!defined('EDITWIDTH_MIN_COLS'))     define('EDITWIDTH_MIN_COLS',     30);
79 if (!defined('EDITWIDTH_MAX_COLS'))     define('EDITWIDTH_MAX_COLS',    150);
80 if (!defined('EDITWIDTH_DEFAULT_COLS')) define('EDITWIDTH_DEFAULT_COLS', 80);
81
82 if (!defined('EDITHEIGHT_MIN_ROWS'))     define('EDITHEIGHT_MIN_ROWS',      5);
83 if (!defined('EDITHEIGHT_MAX_ROWS'))     define('EDITHEIGHT_MAX_ROWS',     80);
84 if (!defined('EDITHEIGHT_DEFAULT_ROWS')) define('EDITHEIGHT_DEFAULT_ROWS', 22);
85
86 define('TIMEOFFSET_MIN_HOURS', -26);
87 define('TIMEOFFSET_MAX_HOURS',  26);
88 if (!defined('TIMEOFFSET_DEFAULT_HOURS')) define('TIMEOFFSET_DEFAULT_HOURS', 0);
89
90 /**
91  * There are be the following constants in index.php to 
92  * establish login parameters:
93  *
94  * ALLOW_ANON_USER         default true
95  * ALLOW_ANON_EDIT         default true
96  * ALLOW_BOGO_LOGIN        default true
97  * ALLOW_USER_PASSWORDS    default true
98  * PASSWORD_LENGTH_MINIMUM default 6 ?
99  *
100  * To require user passwords for editing:
101  * ALLOW_ANON_USER  = true
102  * ALLOW_ANON_EDIT  = false   (before named REQUIRE_SIGNIN_BEFORE_EDIT)
103  * ALLOW_BOGO_LOGIN = false
104  * ALLOW_USER_PASSWORDS = true
105  *
106  * To establish a COMPLETELY private wiki, such as an internal
107  * corporate one:
108  * ALLOW_ANON_USER = false
109  * (and probably require user passwords as described above). In this
110  * case the user will be prompted to login immediately upon accessing
111  * any page.
112  *
113  * There are other possible combinations, but the typical wiki (such
114  * as http://PhpWiki.sf.net/phpwiki) would usually just leave all four 
115  * enabled.
116  *
117  */
118
119 // The last object in the row is the bad guy...
120 if (!is_array($USER_AUTH_ORDER))
121     $USER_AUTH_ORDER = array("Forbidden");
122 else
123     $USER_AUTH_ORDER[] = "Forbidden";
124
125 // Local convenience functions.
126 function _isAnonUserAllowed() {
127     return (defined('ALLOW_ANON_USER') && ALLOW_ANON_USER);
128 }
129 function _isBogoUserAllowed() {
130     return (defined('ALLOW_BOGO_LOGIN') && ALLOW_BOGO_LOGIN);
131 }
132 function _isUserPasswordsAllowed() {
133     return (defined('ALLOW_USER_PASSWORDS') && ALLOW_USER_PASSWORDS);
134 }
135
136 // Possibly upgrade userobject functions.
137 function _determineAdminUserOrOtherUser($UserName) {
138     // Sanity check. User name is a condition of the definition of the
139     // _AdminUser, _BogoUser and _passuser.
140     if (!$UserName)
141         return $GLOBALS['ForbiddenUser'];
142
143     if ($UserName == ADMIN_USER)
144         return new _AdminUser($UserName);
145     else
146         return _determineBogoUserOrPassUser($UserName);
147 }
148
149 function _determineBogoUserOrPassUser($UserName) {
150     global $ForbiddenUser;
151
152     // Sanity check. User name is a condition of the definition of
153     // _BogoUser and _PassUser.
154     if (!$UserName)
155         return $ForbiddenUser;
156
157     // Check for password and possibly upgrade user object.
158     // $_BogoUser = new _BogoUser($UserName);
159     if (_isBogoUserAllowed()) {
160         $_BogoUser = new _BogoLoginPassUser($UserName);
161         if ($_BogoUser->userExists())
162             return $_BogoUser;
163     }
164     if (_isUserPasswordsAllowed()) {
165         // PassUsers override BogoUsers if a password is stored
166         if (isset($_BogoUser) and $_BogoUser->_prefs->get('passwd'))
167             return new _PassUser($UserName,$_BogoUser->_prefs);
168         else { 
169             $_PassUser = new _PassUser($UserName,isset($_BogoUser) ? $_BogoUser->_prefs : false);
170             if ($_PassUser->userExists())
171                 return $_PassUser;
172         }
173     }
174     // No Bogo- or PassUser exists, or
175     // passwords are not allowed, and bogo is disallowed too.
176     // (Only the admin can sign in).
177     return $ForbiddenUser;
178 }
179
180 /**
181  * Primary WikiUser function, called by lib/main.php.
182  * 
183  * This determines the user's type and returns an appropriate user
184  * object. lib/main.php then querys the resultant object for password
185  * validity as necessary.
186  *
187  * If an _AnonUser object is returned, the user may only browse pages
188  * (and save prefs in a cookie).
189  *
190  * To disable access but provide prefs the global $ForbiddenUser class 
191  * is returned. (was previously false)
192  * 
193  */
194 function WikiUser ($UserName = '') {
195     global $ForbiddenUser;
196
197     //Maybe: Check sessionvar for username & save username into
198     //sessionvar (may be more appropriate to do this in lib/main.php).
199     if ($UserName) {
200         $ForbiddenUser = new _ForbiddenUser($UserName);
201         // Found a user name.
202         return _determineAdminUserOrOtherUser($UserName);
203     }
204     elseif (!empty($_SESSION['userid'])) {
205         // Found a user name.
206         $ForbiddenUser = new _ForbiddenUser($_SESSION['userid']);
207         return _determineAdminUserOrOtherUser($_SESSION['userid']);
208     }
209     else {
210         // Check for autologin pref in cookie and possibly upgrade
211         // user object to another type.
212         $_AnonUser = new _AnonUser();
213         if ($UserName = $_AnonUser->_userid && $_AnonUser->_prefs->get('autologin')) {
214             // Found a user name.
215             $ForbiddenUser = new _ForbiddenUser($UserName);
216             return _determineAdminUserOrOtherUser($UserName);
217         }
218         else {
219             $ForbiddenUser = new _ForbiddenUser();
220             if (_isAnonUserAllowed())
221                 return $_AnonUser;
222             return $ForbiddenUser; // User must sign in to browse pages.
223         }
224         return $ForbiddenUser;     // User must sign in with a password.
225     }
226     /*
227     trigger_error("DEBUG: Note: End of function reached in WikiUser." . " "
228                   . "Unexpectedly, an appropriate user class could not be determined.");
229     return $ForbiddenUser; // Failsafe.
230     */
231 }
232
233 /**
234  * WikiUser.php use the name 'WikiUser'
235  */
236 function WikiUserClassname() {
237     return '_WikiUser';
238 }
239
240
241 /**
242  * Upgrade olduser by copying properties from user to olduser.
243  * We are not sure yet, for which php's a simple $this = $user works reliably,
244  * (on php4 it works ok, on php5 it's currently disallowed on the parser level)
245  * that's why try it the hard way.
246  */
247 function UpgradeUser ($olduser, $user) {
248     if (isa($user,'_WikiUser') and isa($olduser,'_WikiUser')) {
249         // populate the upgraded class $olduser with the values from the new user object
250         //only _auth_level, _current_method, _current_index,
251         if (!empty($user->_level) and 
252             $user->_level > $olduser->_level)
253             $olduser->_level = $user->_level;
254         if (!empty($user->_current_index) and
255             $user->_current_index > $olduser->_current_index) {
256             $olduser->_current_index = $user->_current_index;
257             $olduser->_current_method = $user->_current_method;
258         }
259         if (!empty($user->_authmethod))
260             $olduser->_authmethod = $user->_authmethod;
261         /*
262         foreach (get_object_vars($user) as $k => $v) {
263             if (!empty($v)) $olduser->$k = $v;  
264         }
265         */
266         $olduser->hasHomePage(); // revive db handle, because these don't survive sessions
267         $GLOBALS['request']->_user = $olduser;
268         return $olduser;
269     } else {
270         return false;
271     }
272 }
273
274 /**
275  * Probably not needed, since we use the various user objects methods so far.
276  * Anyway, here it is, looping through all available objects.
277  */
278 function UserExists ($UserName) {
279     global $request;
280     if (!($user = $request->getUser()))
281         $user = WikiUser($UserName);
282     if (!$user) 
283         return false;
284     if ($user->userExists($UserName)) {
285         $request->_user = $user;
286         return true;
287     }
288     if (isa($user,'_BogoUser'))
289         $user = new _PassUser($UserName,$user->_prefs);
290     $class = $user->nextClass();
291     if ($user = new $class($UserName,$user->_prefs)) {
292         return $user->userExists($UserName);
293     }
294     $request->_user = $GLOBALS['ForbiddenUser'];
295     return false;
296 }
297
298 /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
299
300 /** 
301  * Base WikiUser class.
302  */
303 class _WikiUser
304 {
305      var $_userid = '';
306      var $_level = WIKIAUTH_FORBIDDEN;
307      var $_prefs = false;
308      var $_HomePagehandle = false;
309
310     // constructor
311     function _WikiUser($UserName='', $prefs=false) {
312
313         $this->_userid = $UserName;
314         $this->_HomePagehandle = false;
315         if ($UserName) {
316             $this->hasHomePage();
317         }
318         $this->_level = WIKIAUTH_FORBIDDEN;
319         if (empty($this->_prefs)) {
320             if ($prefs) $this->_prefs = $prefs;
321             else $this->getPreferences();
322         }
323     }
324
325     function UserName() {
326         if (!empty($this->_userid))
327             return $this->_userid;
328     }
329
330     function getPreferences() {
331         trigger_error("DEBUG: Note: undefined _WikiUser class trying to load prefs." . " "
332                       . "New subclasses of _WikiUser must override this function.");
333         return false;
334     }
335
336     function setPreferences($prefs, $id_only) {
337         trigger_error("DEBUG: Note: undefined _WikiUser class trying to save prefs." . " "
338                       . "New subclasses of _WikiUser must override this function.");
339         return false;
340     }
341
342     function userExists() {
343         return $this->hasHomePage();
344     }
345
346     function checkPass($submitted_password) {
347         // By definition, an undefined user class cannot sign in.
348         trigger_error("DEBUG: Warning: undefined _WikiUser class trying to sign in." . " "
349                       . "New subclasses of _WikiUser must override this function.");
350         return false;
351     }
352
353     // returns page_handle to user's home page or false if none
354     function hasHomePage() {
355         if ($this->_userid) {
356             if (!empty($this->_HomePagehandle) and is_object($this->_HomePagehandle)) {
357                 return $this->_HomePagehandle->exists();
358             }
359             else {
360                 // check db again (maybe someone else created it since
361                 // we logged in.)
362                 global $request;
363                 $this->_HomePagehandle = $request->getPage($this->_userid);
364                 return $this->_HomePagehandle->exists();
365             }
366         }
367         // nope
368         return false;
369     }
370
371     // innocent helper: case-insensitive position in _auth_methods
372     function array_position ($string, $array) {
373         $string = strtolower($string);
374         for ($found = 0; $found < count($array); $found++) {
375             if (strtolower($array[$found]) == $string)
376                 return $found;
377         }
378         return false;
379     }
380
381     function nextAuthMethodIndex() {
382         if (empty($this->_auth_methods)) 
383             $this->_auth_methods = $GLOBALS['USER_AUTH_ORDER'];
384         if (empty($this->_current_index)) {
385             if (get_class($this) != '_passuser') {
386                 $this->_current_method = substr(get_class($this),1,-8);
387                 $this->_current_index = $this->array_position($this->_current_method,
388                                                               $this->_auth_methods);
389             } else {
390                 $this->_current_index = -1;
391             }
392         }
393         $this->_current_index++;
394         if ($this->_current_index >= count($this->_auth_methods))
395             return false;
396         $this->_current_method = $this->_auth_methods[$this->_current_index];
397         return $this->_current_index;
398     }
399
400     function AuthMethod($index = false) {
401         return $this->_auth_methods[ $index === false ? 0 : $index];
402     }
403
404     // upgrade the user object
405     function nextClass() {
406         if (($next = $this->nextAuthMethodIndex()) !== false) {
407             $method = $this->AuthMethod($next);
408             return "_".$method."PassUser";
409             /*          
410             if ($user = new $class($this->_userid)) {
411                 // prevent from endless recursion.
412                 //$user->_current_method = $this->_current_method;
413                 //$user->_current_index = $this->_current_index;
414                 $user = UpgradeUser($user, $this);
415             }
416             return $user;
417             */
418         }
419         return "_ForbiddenPassUser";
420     }
421
422     //Fixme: for _HttpAuthPassUser
423     function PrintLoginForm (&$request, $args, $fail_message = false,
424                              $seperate_page = true) {
425         include_once('lib/Template.php');
426         // Call update_locale in case the system's default language is not 'en'.
427         // (We have no user pref for lang at this point yet, no one is logged in.)
428         update_locale(DEFAULT_LANGUAGE);
429         $userid = $this->_userid;
430         $require_level = 0;
431         extract($args); // fixme
432
433         $require_level = max(0, min(WIKIAUTH_ADMIN, (int)$require_level));
434
435         $pagename = $request->getArg('pagename');
436         $nocache = 1;
437         $login = new Template('login', $request,
438                               compact('pagename', 'userid', 'require_level',
439                                       'fail_message', 'pass_required', 'nocache'));
440         if ($seperate_page) {
441             $top = new Template('html', $request,
442                                 array('TITLE' => _("Sign In")));
443             return $top->printExpansion($login);
444         } else {
445             return $login;
446         }
447     }
448
449     /** Signed in but probably not password checked.
450      */
451     function isSignedIn() {
452         return (isa($this,'_BogoUser') or isa($this,'_PassUser'));
453     }
454
455     /** This is password checked for sure.
456      */
457     function isAuthenticated () {
458         //return isa($this,'_PassUser');
459         //return isa($this,'_BogoUser') || isa($this,'_PassUser');
460         return $this->_level >= WIKIAUTH_BOGO; // hmm.
461     }
462
463     function isAdmin () {
464         return $this->_level == WIKIAUTH_ADMIN;
465     }
466
467     /** Name or IP for a signed user. UserName could come from a cookie e.g.
468      */
469     function getId () {
470         return ( $this->UserName()
471                  ? $this->UserName()
472                  : $GLOBALS['request']->get('REMOTE_ADDR') ); // FIXME: globals
473     }
474
475     /** Name for an authenticated user. No IP here.
476      */
477     function getAuthenticatedId() {
478         return ( $this->isAuthenticated()
479                  ? $this->_userid
480                  : ''); //$GLOBALS['request']->get('REMOTE_ADDR') ); // FIXME: globals
481     }
482
483     function hasAuthority ($require_level) {
484         return $this->_level >= $require_level;
485     }
486
487     /**
488      * Called on an auth_args POST request, such as login, logout or signin.
489      */
490     function AuthCheck ($postargs) {
491         // Normalize args, and extract.
492         $keys = array('userid', 'passwd', 'require_level', 'login', 'logout',
493                       'cancel');
494         foreach ($keys as $key)
495             $args[$key] = isset($postargs[$key]) ? $postargs[$key] : false;
496         extract($args);
497         $require_level = max(0, min(WIKIAUTH_ADMIN, (int)$require_level));
498
499         if ($logout) { // Log out
500             $GLOBALS['request']->_user = new _AnonUser();
501             return $GLOBALS['request']->_user; 
502         } elseif ($cancel)
503             return false;        // User hit cancel button.
504         elseif (!$login && !$userid)
505             return false;       // Nothing to do?
506
507         $authlevel = $this->checkPass($passwd === false ? '' : $passwd);
508         if (!$authlevel)
509             return _("Invalid password or userid.");
510         elseif ($authlevel < $require_level)
511             return _("Insufficient permissions.");
512
513         // Successful login.
514         $user = $GLOBALS['request']->_user;
515         $user->_userid = $userid;
516         $user->_level = $authlevel;
517         return $user;
518     }
519
520 }
521
522 /**
523  * Not authenticated in user, but he may be signed in. Basicly with view access only.
524  * prefs are stored in cookies, but only the userid.
525  */
526 class _AnonUser
527 extends _WikiUser
528 {
529     var $_level = WIKIAUTH_ANON;        // var in php-5.0.0RC1 deprecated
530
531     /** Anon only gets to load and save prefs in a cookie, that's it.
532      */
533     function getPreferences() {
534         global $request;
535
536         if (empty($this->_prefs))
537             $this->_prefs = new UserPreferences;
538         $UserName = $this->UserName();
539
540         // Try to read deprecated 1.3.x style cookies
541         if ($cookie = $request->cookies->get_old(WIKI_NAME)) {
542             if (! $unboxedcookie = $this->_prefs->retrieve($cookie)) {
543                 trigger_error(_("Format of UserPreferences cookie not recognised.") . " "
544                               . _("Default preferences will be used."),
545                               E_USER_WARNING);
546             }
547             /**
548              * Only set if it matches the UserName who is
549              * signing in or if this really is an Anon login (no
550              * username). (Remember, _BogoUser and higher inherit this
551              * function too!).
552              */
553             if (! $UserName || $UserName == $unboxedcookie['userid']) {
554                 $updated = $this->_prefs->updatePrefs($unboxedcookie);
555                 //$this->_prefs = new UserPreferences($unboxedcookie);
556                 $this->_userid = $unboxedcookie['userid'];
557                 $UserName = $this->_userid;
558             }
559             // v1.3.8 policy: don't set PhpWiki cookies, only plaintext WIKI_ID cookies
560             $request->deleteCookieVar(WIKI_NAME);
561         }
562         // Try to read deprecated 1.3.4 style cookies
563         if (! $UserName and ($cookie = $request->cookies->get_old("WIKI_PREF2"))) {
564             if (! $unboxedcookie = $this->_prefs->retrieve($cookie)) {
565                 if (! $UserName || $UserName == $unboxedcookie['userid']) {
566                     $updated = $this->_prefs->updatePrefs($unboxedcookie);
567                     //$this->_prefs = new UserPreferences($unboxedcookie);
568                     $this->_userid = $unboxedcookie['userid'];
569                     $UserName = $this->_userid;
570                 }
571                 $request->deleteCookieVar("WIKI_PREF2");
572             }
573         }
574         if (! $UserName ) {
575             // Try reading userid from old PhpWiki cookie formats:
576             if ($cookie = $request->cookies->get_old('WIKI_ID')) {
577                 if (is_string($cookie))
578                     $this->_userid = $cookie;
579                 elseif (is_array($cookie) and !empty($cookie['userid']))
580                     $this->_userid = $cookie['userid'];
581             }
582             $UserName = $this->_userid;
583         }
584
585         // initializeTheme() needs at least an empty object
586         /*
587          if (empty($this->_prefs))
588             $this->_prefs = new UserPreferences;
589         */
590         return $this->_prefs;
591     }
592
593     /** _AnonUser::setPreferences(): Save prefs in a cookie and session and update all global vars
594      *
595      * Allow for multiple wikis in same domain. Encode only the
596      * _prefs array of the UserPreference object. Ideally the
597      * prefs array should just be imploded into a single string or
598      * something so it is completely human readable by the end
599      * user. In that case stricter error checking will be needed
600      * when loading the cookie.
601      */
602     function setPreferences($prefs, $id_only=false) {
603         if (!is_object($prefs)) {
604             if (is_object($this->_prefs)) {
605                 $updated = $this->_prefs->updatePrefs($prefs);
606                 $prefs =& $this->_prefs;
607             } else {
608                 // update the prefs values from scratch. This could leed to unnecessary
609                 // side-effects: duplicate emailVerified, ...
610                 $prefs = new UserPreferences($prefs);
611                 // check if different from the current prefs
612                 $updated = $this->_prefs->isChanged($prefs);
613             }
614         } else {
615             $updated = $this->_prefs->isChanged($prefs);
616         }
617         if ($updated) {
618             if ($id_only) {
619                 global $request;
620                 // new 1.3.8 policy: no array cookies, only plain userid string as in 
621                 // the pre 1.3.x versions.
622                 // prefs should be stored besides the session in the homepagehandle or in a db.
623                 $request->setCookieVar('WIKI_ID', $this->_userid,
624                                        COOKIE_EXPIRATION_DAYS, COOKIE_DOMAIN);
625                 //$request->setCookieVar(WIKI_NAME, array('userid' => $prefs->get('userid')),
626                 //                       COOKIE_EXPIRATION_DAYS, COOKIE_DOMAIN);
627             }
628         }
629         $packed = $prefs->store();
630         $unpacked = $prefs->unpack($packed);
631         if (count($unpacked)) {
632             global $request;
633             foreach (array('_method','_select','_update') as $param) {
634                 if (!empty($this->_prefs->{$param}))
635                     $prefs->{$param} = $this->_prefs->{$param};
636             }
637             $this->_prefs = $prefs;
638             $request->_prefs =& $this->_prefs; 
639             $request->_user->_prefs =& $this->_prefs;
640             if (isset($request->_user->_auth_dbi)) {
641                 $user = $request->_user;
642                 unset($user->_auth_dbi);
643                 $request->setSessionVar('wiki_user', $user);
644             } else {
645               //$request->setSessionVar('wiki_prefs', $this->_prefs);
646               $request->setSessionVar('wiki_user', $request->_user);
647             }
648         }
649         return $updated;
650     }
651
652     function userExists() {
653         return true;
654     }
655
656     function checkPass($submitted_password) {
657         return false;
658         // this might happen on a old-style signin button.
659
660         // By definition, the _AnonUser does not HAVE a password
661         // (compared to _BogoUser, who has an EMPTY password).
662         trigger_error("DEBUG: Warning: _AnonUser unexpectedly asked to checkPass()." . " "
663                       . "Check isa(\$user, '_PassUser'), or: isa(\$user, '_AdminUser') etc. first." . " "
664                       . "New subclasses of _WikiUser must override this function.");
665         return false;
666     }
667
668 }
669
670 /** 
671  * Helper class to finish the PassUser auth loop. 
672  * This is added automatically to USER_AUTH_ORDER.
673  */
674 class _ForbiddenUser
675 extends _AnonUser
676 {
677     var $_level = WIKIAUTH_FORBIDDEN;
678
679     function checkPass($submitted_password) {
680         return WIKIAUTH_FORBIDDEN;
681     }
682
683     function userExists() {
684         if ($this->_HomePagehandle) return true;
685         return false;
686     }
687 }
688 /** 
689  * The PassUser name gets created automatically. 
690  * That's why this class is empty, but must exist.
691  */
692 class _ForbiddenPassUser
693 extends _ForbiddenUser
694 {
695     function dummy() {
696         return;
697     }
698 }
699
700 /**
701  * Do NOT extend _BogoUser to other classes, for checkPass()
702  * security. (In case of defects in code logic of the new class!)
703  * The intermediate step between anon and passuser.
704  * We also have the _BogoLoginPassUser class with stricter 
705  * password checking, which fits into the auth loop.
706  * Note: This class is not called anymore by WikiUser()
707  */
708 class _BogoUser
709 extends _AnonUser
710 {
711     function userExists() {
712         if (isWikiWord($this->_userid)) {
713             $this->_level = WIKIAUTH_BOGO;
714             return true;
715         } else {
716             $this->_level = WIKIAUTH_ANON;
717             return false;
718         }
719     }
720
721     function checkPass($submitted_password) {
722         // By definition, BogoUser has an empty password.
723         $this->userExists();
724         return $this->_level;
725     }
726 }
727
728 class _PassUser
729 extends _AnonUser
730 /**
731  * Called if ALLOW_USER_PASSWORDS and Anon and Bogo failed.
732  *
733  * The classes for all subsequent auth methods extend from this class. 
734  * This handles the auth method type dispatcher according $USER_AUTH_ORDER, 
735  * the three auth method policies first-only, strict and stacked
736  * and the two methods for prefs: homepage or database, 
737  * if $DBAuthParams['pref_select'] is defined.
738  *
739  * Default is PersonalPage auth and prefs.
740  * 
741  * TODO: email verification
742  *
743  * @author: Reini Urban
744  * @tables: pref
745  */
746 {
747     var $_auth_dbi, $_prefs;
748     var $_current_method, $_current_index;
749
750     // check and prepare the auth and pref methods only once
751     function _PassUser($UserName='', $prefs=false) {
752         global $DBAuthParams, $DBParams;
753         if ($UserName) {
754             $this->_userid = $UserName;
755             if ($this->hasHomePage())
756                 $this->_HomePagehandle = $GLOBALS['request']->getPage($this->_userid);
757         }
758         $this->_authmethod = substr(get_class($this),1,-8);
759         if ($this->_authmethod == 'a') $this->_authmethod = 'admin';
760         if (! $this->_prefs) {
761             if ($prefs) $this->_prefs = $prefs;
762             else $this->getPreferences();
763         }
764
765         // Check the configured Prefs methods
766         if ( !isset($this->_prefs->_select) and !empty($DBAuthParams['pref_select']) 
767              and in_array($DBParams['dbtype'],array('SQL','ADODB'))) {
768             $this->_prefs->_method = $DBParams['dbtype'];
769             $this->getAuthDbh();
770             // preparate the SELECT statement
771             $this->_prefs->_select = str_replace('"$userid"','%s',$DBAuthParams['pref_select']);
772         //} else {
773         //    unset($this->_prefs->_select);
774         } else {
775             $this->_prefs->_method = 'HomePage';
776         }
777         if (  !isset($this->_prefs->_update) and !empty($DBAuthParams['pref_update'])
778              and in_array($DBParams['dbtype'],array('SQL','ADODB'))) {
779             $this->_prefs->_method = $DBParams['dbtype'];
780             $this->getAuthDbh();
781             // preparate the SELECT statement
782             $this->_prefs->_update = str_replace(array('"$userid"','"$pref_blob"'),
783                                                  array('%s','%s'),
784                                              $DBAuthParams['pref_update']);
785         }
786         
787         // Upgrade to the next parent _PassUser class. Avoid recursion.
788         if ( strtolower(get_class($this)) === '_passuser' ) {
789             //auth policy: Check the order of the configured auth methods
790             // 1. first-only: Upgrade the class here in the constructor
791             // 2. old:       ignore USER_AUTH_ORDER and try to use all available methods as 
792             ///              in the previous PhpWiki releases (slow)
793             // 3. strict:    upgrade the class after checking the user existance in userExists()
794             // 4. stacked:   upgrade the class after the password verification in checkPass()
795             // Methods: PersonalPage, HttpAuth, DB, Ldap, Imap, File
796             if (!defined('USER_AUTH_POLICY')) define('USER_AUTH_POLICY','old');
797             if (defined('USER_AUTH_POLICY')) {
798                 // policy 1: only pre-define one method for all users
799                 if (USER_AUTH_POLICY === 'first-only') {
800                     $class = $user->nextClass();
801                     return new $class($UserName,$user->_prefs);
802                 }
803                 // use the default behaviour from the previous versions:
804                 elseif (USER_AUTH_POLICY === 'old') {
805                     // default: try to be smart
806                     // On php5 we can directly return and upgrade the Object,
807                     // before we have to upgrade it manually.
808                     if (!empty($GLOBALS['PHP_AUTH_USER'])) {
809                         if (check_php_version(5))
810                             return new _HttpAuthPassUser($UserName,$this->_prefs);
811                         else {
812                             $user = new _HttpAuthPassUser($UserName,$this->_prefs);
813                             //todo: with php5 comment the following line.
814                             /*PHP5 patch*/$this = $user;
815                             return UpgradeUser($user,$this);
816                         }
817                     } elseif (!empty($DBAuthParams['auth_check']) and 
818                               (!empty($DBAuthParams['auth_dsn']) or !empty($GLOBALS ['DBParams']['dsn']))) {
819                         if (check_php_version(5))
820                             return new _DbPassUser($UserName,$this->_prefs);
821                         else {
822                             $user = new _DbPassUser($UserName,$this->_prefs);
823                             //todo: with php5 comment the following line.
824                             /*PHP5 patch*/$this = $user;
825                             return UpgradeUser($user,$this);
826                         }
827                     } elseif (defined('LDAP_AUTH_HOST') and defined('LDAP_BASE_DN') and function_exists('ldap_open')) {
828                         if (check_php_version(5))
829                             return new _LDAPPassUser($UserName,$this->_prefs);
830                         else {
831                             $user = new _LDAPPassUser($UserName,$this->_prefs);
832                             //todo: with php5 comment the following line.
833                             /*PHP5 patch*/$this = $user;
834                             return UpgradeUser($user,$this);
835                         }
836                     } elseif (defined('IMAP_AUTH_HOST') and function_exists('imap_open')) {
837                         if (check_php_version(5))
838                             return new _IMAPPassUser($UserName,$this->_prefs);
839                         else {
840                             $user = new _IMAPPassUser($UserName,$this->_prefs);
841                             //todo: with php5 comment the following line.
842                             /*PHP5 patch*/$this = $user;
843                             return UpgradeUser($user,$this);
844                         }
845                     } elseif (defined('AUTH_USER_FILE')) {
846                         if (check_php_version(5))
847                             return new _FilePassUser($UserName,$this->_prefs);
848                         else {
849                             $user = new _FilePassUser($UserName,$this->_prefs);
850                             //todo: with php5 comment the following line.
851                             /*PHP5 patch*/$this = $user;
852                             return UpgradeUser($user,$this);
853                         }
854                     } else {
855                         if (check_php_version(5))
856                             return new _PersonalPagePassUser($UserName,$this->_prefs);
857                         else {
858                             $user = new _PersonalPagePassUser($UserName,$this->_prefs);
859                             //todo: with php5 comment the following line.
860                             /*PHP5 patch*/$this = $user;
861                             return UpgradeUser($user,$this);
862                         }
863                     }
864                 }
865                 else 
866                     // else use the page methods defined in _PassUser.
867                     return $this;
868             }
869         }
870     }
871
872     function getAuthDbh () {
873         global $request, $DBParams, $DBAuthParams;
874
875         // session restauration doesn't re-connect to the database automatically, so dirty it here.
876         if (($DBParams['dbtype'] == 'SQL') and isset($this->_auth_dbi) and 
877              empty($this->_auth_dbi->connection))
878             unset($this->_auth_dbi);
879         if (($DBParams['dbtype'] == 'ADODB') and isset($this->_auth_dbi) and 
880              empty($this->_auth_dbi->_connectionID))
881             unset($this->_auth_dbi);
882
883         if (empty($this->_auth_dbi)) {
884             if ($DBParams['dbtype'] != 'SQL' and $DBParams['dbtype'] != 'ADODB')
885                 return false;
886             if (empty($DBAuthParams))
887                 return false;
888             if (empty($DBAuthParams['auth_dsn'])) {
889                 $dbh = $request->getDbh(); // use phpwiki database 
890             } elseif ($DBAuthParams['auth_dsn'] == $DBParams['dsn']) {
891                 $dbh = $request->getDbh(); // same phpwiki database 
892             } else { // use another external database handle. needs PHP >= 4.1
893                 $local_params = array_merge($DBParams,$DBAuthParams);
894                 $local_params['dsn'] = $local_params['auth_dsn'];
895                 $dbh = WikiDB::open($local_params);
896             }       
897             $this->_auth_dbi =& $dbh->_backend->_dbh;    
898         }
899         return $this->_auth_dbi;
900     }
901
902     // not used anymore. have to do the prefix fixing somewhere else
903     function prepare ($stmt, $variables) {
904         global $DBParams, $request;
905         // preparate the SELECT statement, for ADODB and PearDB (MDB not)
906         $this->getAuthDbh();
907         $place = ($DBParams['dbtype'] == 'ADODB') ? '%s' : '?';
908         if (is_array($variables)) {
909             $new = array();
910             foreach ($variables as $v) { $new[] = $place; }
911         } else {
912             $new = $place;
913         }
914         // probably prefix table names if in same database
915         if (!empty($DBParams['prefix']) and 
916             $this->_auth_dbi === $request->_dbi->_backend->_dbh) {
917             if (!stristr($DBParams['prefix'],$stmt)) {
918                 //Do it automatically for the lazy admin? Esp. on sf.net it's nice to have
919                 trigger_error("TODO: Need to prefix the DBAuthParam tablename in index.php: $stmt",
920                               E_USER_WARNING);
921                 $stmt = str_replace(array(" user "," pref "," member "),
922                                     array(" ".$prefix."user ",
923                                           " ".$prefix."prefs ",
924                                           " ".$prefix."member "),$stmt);
925             }
926         }
927         return $this->_auth_dbi->prepare(str_replace($variables,$new,$stmt));
928     }
929
930     function getPreferences() {
931         if (!empty($this->_prefs->_method)) {
932             if ($this->_prefs->_method == 'ADODB') {
933                 _AdoDbPassUser::_AdoDbPassUser($this->_userid,$this->_prefs);
934                 return _AdoDbPassUser::getPreferences();
935             } elseif ($this->_prefs->_method == 'SQL') {
936                 _PearDbPassUser::_PearDbPassUser($this->_userid,$this->_prefs);
937                 return _PearDbPassUser::getPreferences();
938             }
939         }
940
941         // We don't necessarily have to read the cookie first. Since
942         // the user has a password, the prefs stored in the homepage
943         // cannot be arbitrarily altered by other Bogo users.
944         _AnonUser::getPreferences();
945         // User may have deleted cookie, retrieve from his
946         // PersonalPage if there is one.
947         if ($this->_HomePagehandle) {
948             if ($restored_from_page = $this->_prefs->retrieve($this->_HomePagehandle->get('pref'))) {
949                 $updated = $this->_prefs->updatePrefs($restored_from_page);
950                 //$this->_prefs = new UserPreferences($restored_from_page);
951                 return $this->_prefs;
952             }
953         }
954         return $this->_prefs;
955     }
956
957     function setPreferences($prefs, $id_only=false) {
958         if (!empty($this->_prefs->_method)) {
959             if ($this->_prefs->_method == 'ADODB') {
960                 _AdoDbPassUser::_AdoDbPassUser($this->_userid,$prefs);
961                 return _AdoDbPassUser::setPreferences($prefs, $id_only);
962             }
963             elseif ($this->_prefs->_method == 'SQL') {
964                 _PearDbPassUser::_PearDbPassUser($this->_userid,$prefs);
965                 return _PearDbPassUser::setPreferences($prefs, $id_only);
966             }
967         }
968         if (_AnonUser::setPreferences($prefs, $id_only)) {
969             // Encode only the _prefs array of the UserPreference object
970             if ($this->_HomePagehandle and !$id_only)
971                 $this->_HomePagehandle->set('pref', $prefs->store());
972         }
973         return;
974     }
975
976     function mayChangePass() {
977         return true;
978     }
979
980     //The default method is getting the password from prefs. 
981     // child methods obtain $stored_password from external auth.
982     function userExists() {
983         //if ($this->_HomePagehandle) return true;
984         $class = $this->nextClass();
985         while ($user = new $class($this->_userid,$this->_prefs)) {
986             //todo: with php5 comment the following line:
987             /*PHP5 patch*/$this = $user;
988             UpgradeUser($this,$user);
989             if ($user->userExists()) {
990                 return true;
991             }
992             // prevent endless loop. does this work on all PHP's?
993             // it just has to set the classname, what it correctly does.
994             $class = $user->nextClass();
995             if ($class == "_ForbiddenPassUser")
996                 return false;
997         }
998         return false;
999     }
1000
1001     //The default method is getting the password from prefs. 
1002     // child methods obtain $stored_password from external auth.
1003     function checkPass($submitted_password) {
1004         $stored_password = $this->_prefs->get('passwd');
1005         if ($this->_checkPass($submitted_password, $stored_password)) {
1006             $this->_level = WIKIAUTH_USER;
1007             return $this->_level;
1008         } else {
1009             return $this->_tryNextPass($submitted_password);
1010         }
1011     }
1012
1013     /**
1014      * The basic password checker for all PassUser objects.
1015      * Uses global ENCRYPTED_PASSWD and PASSWORD_LENGTH_MINIMUM.
1016      * Empty passwords are always false!
1017      * PASSWORD_LENGTH_MINIMUM is enforced here and in the preference set method.
1018      * @see UserPreferences::set
1019      *
1020      * DBPassUser password's have their own crypt definition.
1021      * That's why DBPassUser::checkPass() doesn't call this method, if 
1022      * the db password method is 'plain', which means that the DB SQL 
1023      * statement just returns 1 or 0. To use CRYPT() or PASSWORD() and 
1024      * don't store plain passwords in the DB.
1025      * 
1026      * TODO: remove crypt() function check from config.php:396 ??
1027      */
1028     function _checkPass($submitted_password, $stored_password) {
1029         if(!empty($submitted_password)) {
1030             if (strlen($stored_password) < PASSWORD_LENGTH_MINIMUM) {
1031                 // Todo. hmm...
1032                 trigger_error(_("The length of the stored password is shorter than the system policy allows. Sorry, you cannot login.\n You have to ask the System Administrator to reset your password."));
1033                 return false;
1034             }
1035             if (strlen($submitted_password) < PASSWORD_LENGTH_MINIMUM)
1036                 return false;
1037             if (defined('ENCRYPTED_PASSWD') && ENCRYPTED_PASSWD) {
1038                 // Verify against encrypted password.
1039                 if (function_exists('crypt')) {
1040                     if (crypt($submitted_password, $stored_password) == $stored_password )
1041                         return true; // matches encrypted password
1042                     else
1043                         return false;
1044                 }
1045                 else {
1046                     trigger_error(_("The crypt function is not available in this version of PHP.") . " "
1047                                   . _("Please set ENCRYPTED_PASSWD to false in index.php and probably change ADMIN_PASSWD."),
1048                                   E_USER_WARNING);
1049                     return false;
1050                 }
1051             }
1052             else {
1053                 // Verify against cleartext password.
1054                 if ($submitted_password == $stored_password)
1055                     return true;
1056                 else {
1057                     // Check whether we forgot to enable ENCRYPTED_PASSWD
1058                     if (function_exists('crypt')) {
1059                         if (crypt($submitted_password, $stored_password) == $stored_password) {
1060                             trigger_error(_("Please set ENCRYPTED_PASSWD to true in index.php."),
1061                                           E_USER_WARNING);
1062                             return true;
1063                         }
1064                     }
1065                 }
1066             }
1067         }
1068         return false;
1069     }
1070
1071     /** The default method is storing the password in prefs. 
1072      *  Child methods (DB,File) may store in external auth also, but this 
1073      *  must be explicitly enabled.
1074      *  This may be called by plugin/UserPreferences or by ->SetPreferences()
1075      */
1076     function changePass($submitted_password) {
1077         $stored_password = $this->_prefs->get('passwd');
1078         // check if authenticated
1079         if ($this->isAuthenticated() and $stored_password != $submitted_password) {
1080             $this->_prefs->set('passwd',$submitted_password);
1081             //update the storage (session, homepage, ...)
1082             $this->SetPreferences($this->_prefs);
1083             return true;
1084         }
1085         //Todo: return an error msg to the caller what failed? 
1086         // same password or no privilege
1087         return false;
1088     }
1089
1090     function _tryNextPass($submitted_password) {
1091         if (USER_AUTH_POLICY === 'strict') {
1092                 $class = $this->nextClass();
1093             if ($user = new $class($this->_userid,$this->_prefs)) {
1094                 if ($user->userExists()) {
1095                     return $user->checkPass($submitted_password);
1096                 }
1097             }
1098         }
1099         if (USER_AUTH_POLICY === 'stacked' or USER_AUTH_POLICY === 'old') {
1100                 $class = $this->nextClass();
1101             if ($user = new $class($this->_userid,$this->_prefs))
1102                 return $user->checkPass($submitted_password);
1103         }
1104         return $this->_level;
1105     }
1106
1107     function _tryNextUser() {
1108         if (USER_AUTH_POLICY === 'strict') {
1109                 $class = $this->nextClass();
1110             while ($user = new $class($this->_userid,$this->_prefs)) {
1111                 //todo: with php5 comment the following line:
1112                 /*PHP5 patch*/$this = $user;
1113                 $user = UpgradeUser($this, $user);
1114                 if ($user->userExists()) {
1115                     return true;
1116                 }
1117                 $class = $this->nextClass();
1118             }
1119         }
1120         return false;
1121     }
1122
1123 }
1124
1125 /** Without stored password. A _BogoLoginPassUser with password 
1126  *  is automatically upgraded to a PersonalPagePassUser.
1127  */
1128 class _BogoLoginPassUser
1129 extends _PassUser
1130 {
1131     var $_authmethod = 'BogoLogin';
1132     function userExists() {
1133         if (isWikiWord($this->_userid)) {
1134             $this->_level = WIKIAUTH_BOGO;
1135             return true;
1136         } else {
1137             $this->_level = WIKIAUTH_ANON;
1138             return false;
1139         }
1140     }
1141
1142     /** A BogoLoginUser requires no password at all
1143      *  But if there's one stored, we should prefer PersonalPage instead
1144      */
1145     function checkPass($submitted_password) {
1146         if ($this->_prefs->get('passwd')) {
1147             $user = new _PersonalPagePassUser($this->_userid);
1148             if ($user->checkPass($submitted_password)) {
1149                 //todo: with php5 comment the following line:
1150                 /*PHP5 patch*/$this = $user;
1151                 $user = UpgradeUser($this, $user);
1152                 $this->_level = WIKIAUTH_USER;
1153                 return $this->_level;
1154             } else {
1155                 $this->_level = WIKIAUTH_ANON;
1156                 return $this->_level;
1157             }
1158         }
1159         $this->userExists();
1160         return $this->_level;
1161     }
1162 }
1163
1164
1165 /**
1166  * This class is only to simplify the auth method dispatcher.
1167  * It inherits almost all all methods from _PassUser.
1168  */
1169 class _PersonalPagePassUser
1170 extends _PassUser
1171 {
1172     var $_authmethod = 'PersonalPage';
1173
1174     function userExists() {
1175         return $this->_HomePagehandle and $this->_HomePagehandle->exists();
1176     }
1177         
1178     /** A PersonalPagePassUser requires PASSWORD_LENGTH_MINIMUM.
1179      *  BUT if the user already has a homepage with an empty password 
1180      *  stored, allow login but warn him to change it.
1181      */
1182     function checkPass($submitted_password) {
1183         if ($this->userExists()) {
1184             $stored_password = $this->_prefs->get('passwd');
1185             if (empty($stored_password)) {
1186                 trigger_error(sprintf(
1187                 _("\nYou stored an empty password in your '%s' page.\n").
1188                 _("Your access permissions are only for a BogoUser.\n").
1189                 _("Please set your password in UserPreferences."),
1190                                         $this->_userid), E_USER_NOTICE);
1191                 $this->_level = WIKIAUTH_BOGO;
1192                 return $this->_level;
1193             }
1194             if ($this->_checkPass($submitted_password, $stored_password))
1195                 return ($this->_level = WIKIAUTH_USER);
1196             return _PassUser::checkPass($submitted_password);
1197         }
1198         return WIKIAUTH_ANON;
1199     }
1200 }
1201
1202 /**
1203  * We have two possibilities here.
1204  * 1) The webserver location is already HTTP protected (usually Basic). Then just 
1205  *    use the username and do nothing
1206  * 2) The webserver location is not protected, so we enforce basic HTTP Protection
1207  *    by sending a 401 error and let the client display the login dialog.
1208  *    This makes only sense if HttpAuth is the last method in USER_AUTH_ORDER,
1209  *    since the other methods cannot be transparently called after this enforced 
1210  *    external dialog.
1211  *    Try the available auth methods (most likely Bogo) and sent this header back.
1212  *    header('Authorization: Basic '.base64_encode("$userid:$passwd")."\r\n";
1213  */
1214 class _HttpAuthPassUser
1215 extends _PassUser
1216 {
1217     function _HttpAuthPassUser($UserName='',$prefs=false) {
1218         if (!$this->_prefs) {
1219             if ($prefs) $this->_prefs = $prefs;
1220             else _PassUser::_PassUser($UserName);
1221         }
1222         $this->_authmethod = 'HttpAuth';
1223         if ($this->userExists())
1224             return $this;
1225         else 
1226             return $GLOBALS['ForbiddenUser'];
1227     }
1228
1229     //force http auth authorization
1230     function userExists() {
1231         // todo: older php's
1232         if (empty($_SERVER['PHP_AUTH_USER']) or 
1233             $_SERVER['PHP_AUTH_USER'] != $this->_userid) {
1234             header('WWW-Authenticate: Basic realm="'.WIKI_NAME.'"');
1235             header('HTTP/1.0 401 Unauthorized'); 
1236             exit;
1237         }
1238         $this->_userid = $_SERVER['PHP_AUTH_USER'];
1239         $this->_level = WIKIAUTH_USER;
1240         return $this;
1241     }
1242         
1243     function checkPass($submitted_password) {
1244         return $this->userExists() ? WIKIAUTH_USER : WIKIAUTH_ANON;
1245     }
1246
1247     function mayChangePass() {
1248         return false;
1249     }
1250
1251     // hmm... either the server dialog or our own.
1252     function PrintLoginForm (&$request, $args, $fail_message = false,
1253                              $seperate_page = true) {
1254         header('WWW-Authenticate: Basic realm="'.WIKI_NAME.'"');
1255         header('HTTP/1.0 401 Unauthorized'); 
1256         exit;
1257
1258         include_once('lib/Template.php');
1259         // Call update_locale in case the system's default language is not 'en'.
1260         // (We have no user pref for lang at this point yet, no one is logged in.)
1261         update_locale(DEFAULT_LANGUAGE);
1262         $userid = $this->_userid;
1263         $require_level = 0;
1264         extract($args); // fixme
1265
1266         $require_level = max(0, min(WIKIAUTH_ADMIN, (int)$require_level));
1267
1268         $pagename = $request->getArg('pagename');
1269         $nocache = 1;
1270         $login = new Template('login', $request,
1271                               compact('pagename', 'userid', 'require_level',
1272                                       'fail_message', 'pass_required', 'nocache'));
1273         if ($seperate_page) {
1274             $top = new Template('html', $request,
1275                                 array('TITLE' => _("Sign In")));
1276             return $top->printExpansion($login);
1277         } else {
1278             return $login;
1279         }
1280     }
1281
1282 }
1283
1284
1285 /**
1286  * Baseclass for PearDB and ADODB PassUser's
1287  * Authenticate against a database, to be able to use shared users.
1288  *   internal: no different $DbAuthParams['dsn'] defined, or
1289  *   external: different $DbAuthParams['dsn']
1290  * The magic is done in the symbolic SQL statements in index.php, similar to
1291  * libnss-mysql.
1292  *
1293  * We support only the SQL and ADODB backends.
1294  * The other WikiDB backends (flat, cvs, dba, ...) should be used for pages, 
1295  * not for auth stuff. If one would like to use e.g. dba for auth, he should 
1296  * use PearDB (SQL) with the right $DBAuthParam['auth_dsn']. 
1297  * (Not supported yet, since we require SQL. SQLite would make since when 
1298  * it will come to PHP)
1299  *
1300  * @tables: user, pref
1301  *
1302  * Preferences are handled in the parent class _PassUser, because the 
1303  * previous classes may also use DB pref_select and pref_update.
1304  *
1305  * Flat files auth is handled by the auth method "File".
1306  */
1307 class _DbPassUser
1308 extends _PassUser
1309 {
1310     var $_authselect, $_authupdate, $_authcreate;
1311
1312     // This can only be called from _PassUser, because the parent class 
1313     // sets the auth_dbi and pref methods, before this class is initialized.
1314     function _DbPassUser($UserName='',$prefs=false) {
1315         if (!$this->_prefs) {
1316             if ($prefs) $this->_prefs = $prefs;
1317         }
1318         if (!isset($this->_prefs->_method))
1319            _PassUser::_PassUser($UserName);
1320         $this->_authmethod = 'Db';
1321         //$this->getAuthDbh();
1322         //$this->_auth_crypt_method = @$GLOBALS['DBAuthParams']['auth_crypt_method'];
1323         if ($GLOBALS['DBParams']['dbtype'] == 'ADODB') {
1324             if (check_php_version(5))
1325                 return new _AdoDbPassUser($UserName,$this->_prefs);
1326             else {
1327                 $user = new _AdoDbPassUser($UserName,$this->_prefs);
1328                 //todo: with php5 comment the following line:
1329                 /*PHP5 patch*/$this = $user;
1330                 return UpgradeUser($user, $this);
1331             }
1332         }
1333         elseif ($GLOBALS['DBParams']['dbtype'] == 'SQL') {
1334             if (check_php_version(5))
1335                 return new _PearDbPassUser($UserName,$this->_prefs);
1336             else {
1337                 $user = new _PearDbPassUser($UserName,$this->_prefs);
1338                 //todo: with php5 comment the following line:
1339                 /*PHP5 patch*/$this = $user;
1340                 return UpgradeUser($user, $this);
1341             }
1342         }
1343         return false;
1344     }
1345
1346     function mayChangePass() {
1347         return !isset($this->_authupdate);
1348     }
1349
1350 }
1351
1352 class _PearDbPassUser
1353 extends _DbPassUser
1354 /**
1355  * Pear DB methods
1356  * Now optimized not to use prepare, ...query(sprintf($sql,quote())) instead.
1357  * We use FETCH_MODE_ROW, so we don't need aliases in the auth_* SQL statements.
1358  *
1359  * @tables: user
1360  * @tables: pref
1361  */
1362 {
1363     function _PearDbPassUser($UserName='',$prefs=false) {
1364         global $DBAuthParams;
1365         if (!$this->_prefs and isa($this,"_PearDbPassUser")) {
1366             if ($prefs) $this->_prefs = $prefs;
1367         }
1368         if (!isset($this->_prefs->_method))
1369             _PassUser::_PassUser($UserName);
1370         $this->_userid = $UserName;
1371         // make use of session data. generally we only initialize this every time, 
1372         // but do auth checks only once
1373         $this->_auth_crypt_method = @$DBAuthParams['auth_crypt_method'];
1374         //$this->getAuthDbh();
1375         return $this;
1376     }
1377
1378     function getPreferences() {
1379         // override the generic slow method here for efficiency and not to 
1380         // clutter the homepage metadata with prefs.
1381         _AnonUser::getPreferences();
1382         $this->getAuthDbh();
1383         if (isset($this->_prefs->_select)) {
1384             $dbh = &$this->_auth_dbi;
1385             $db_result = $dbh->query(sprintf($this->_prefs->_select,$dbh->quote($this->_userid)));
1386             // patched by frederik@pandora.be
1387             $prefs = $db_result->fetchRow();
1388             $prefs_blob = $prefs["prefs"]; 
1389             if ($restored_from_db = $this->_prefs->retrieve($prefs_blob)) {
1390                 $updated = $this->_prefs->updatePrefs($restored_from_db);
1391                 //$this->_prefs = new UserPreferences($restored_from_db);
1392                 return $this->_prefs;
1393             }
1394         }
1395         if ($this->_HomePagehandle) {
1396             if ($restored_from_page = $this->_prefs->retrieve($this->_HomePagehandle->get('pref'))) {
1397                 $updated = $this->_prefs->updatePrefs($restored_from_page);
1398                 //$this->_prefs = new UserPreferences($restored_from_page);
1399                 return $this->_prefs;
1400             }
1401         }
1402         return $this->_prefs;
1403     }
1404
1405     function setPreferences($prefs, $id_only=false) {
1406         // if the prefs are changed
1407         if (_AnonUser::setPreferences($prefs, 1)) {
1408             global $request;
1409             $user = $request->_user;
1410             //unset($user->_auth_dbi);
1411             //$request->setSessionVar('wiki_user', $user);
1412             $this->getAuthDbh();
1413             $packed = $this->_prefs->store();
1414             if (!$id_only and isset($this->_prefs->_update)) {
1415                 $dbh = &$this->_auth_dbi;
1416                 
1417                 $dbh->simpleQuery(sprintf($this->_prefs->_update,
1418                                           $dbh->quote($packed),
1419                                           $dbh->quote($this->_userid)));
1420             } else {
1421                 //store prefs in homepage, not in cookie
1422                 if ($this->_HomePagehandle and !$id_only)
1423                     $this->_HomePagehandle->set('pref', $packed);
1424             }
1425             return count($this->_prefs->unpack($packed));
1426         }
1427         return 0;
1428     }
1429
1430     function userExists() {
1431         global $DBAuthParams;
1432         $this->getAuthDbh();
1433         $dbh = &$this->_auth_dbi;
1434         if (!$dbh) { // needed?
1435             return $this->_tryNextUser();
1436         }
1437         // Prepare the configured auth statements
1438         if (!empty($DBAuthParams['auth_check']) and empty($this->_authselect)) {
1439             $this->_authselect = str_replace(array('"$userid"','"$password"'),
1440                                              array('%s','%s'),
1441                                              $DBAuthParams['auth_check']);
1442         }
1443         if (empty($this->_authselect))
1444             trigger_error("Either \$DBAuthParams['auth_check'] is missing or \$DBParams['dbtype'] != 'SQL'",
1445                           E_USER_WARNING);
1446         //NOTE: for auth_crypt_method='crypt' no special auth_user_exists is needed
1447         if ($this->_auth_crypt_method == 'crypt') {
1448             $rs = $dbh->query(sprintf($this->_authselect,$dbh->quote($this->_userid)));
1449             if ($rs->numRows())
1450                 return true;
1451         }
1452         else {
1453             if (! $GLOBALS['DBAuthParams']['auth_user_exists'])
1454                 trigger_error("\$DBAuthParams['auth_user_exists'] is missing",
1455                               E_USER_WARNING);
1456             $this->_authcheck = str_replace('"$userid"','%s',
1457                                              $DBAuthParams['auth_user_exists']);
1458             $rs = $dbh->query(sprintf($this->_authcheck,$dbh->quote($this->_userid)));
1459             if ($rs->numRows())
1460                 return true;
1461         }
1462         // maybe the user is allowed to create himself. Generally not wanted in 
1463         // external databases, but maybe wanted for the wiki database, for performance 
1464         // reasons
1465         if (empty($this->_authcreate) and !empty($DBAuthParams['auth_create'])) {
1466             $this->_authcreate = str_replace(array('"$userid"','"$password"'),array('%s','%s'),
1467                                               $DBAuthParams['auth_create']);
1468         }
1469         if (!empty($this->_authcreate)) return true;
1470
1471         return $this->_tryNextUser();
1472     }
1473  
1474     function checkPass($submitted_password) {
1475         global $DBAuthParams;
1476         $this->getAuthDbh();
1477         if (!$this->_auth_dbi) {  // needed?
1478             return $this->_tryNextPass($submitted_password);
1479         }
1480         if (empty($this->_authselect))
1481             trigger_error("Either \$DBAuthParams['auth_check'] is missing or \$DBParams['dbtype'] != 'SQL'",
1482                           E_USER_WARNING);
1483
1484         //NOTE: for auth_crypt_method='crypt'  defined('ENCRYPTED_PASSWD',true) must be set
1485         $dbh = &$this->_auth_dbi;
1486         if ($this->_auth_crypt_method == 'crypt') {
1487             $stored_password = $dbh->getOne(sprintf($this->_authselect,$dbh->quote($this->_userid)));
1488             $result = $this->_checkPass($submitted_password, $stored_password);
1489         } else {
1490             $okay = $dbh->getOne(sprintf($this->_authselect,
1491                                          $dbh->quote($submitted_password),
1492                                          $dbh->quote($this->_userid)));
1493             $result = !empty($okay);
1494         }
1495
1496         if ($result) {
1497             $this->_level = WIKIAUTH_USER;
1498             return $this->_level;
1499         } else {
1500             return $this->_tryNextPass($submitted_password);
1501         }
1502     }
1503
1504     function mayChangePass() {
1505         global $DBAuthParams;
1506         return !empty($DBAuthParams['auth_update']);
1507     }
1508
1509     function storePass($submitted_password) {
1510         global $DBAuthParams;
1511         $dbh = &$this->_auth_dbi;
1512         if (!empty($DBAuthParams['auth_update']) and empty($this->_authupdate)) {
1513             $this->_authupdate = str_replace(array('"$userid"','"$password"'),
1514                                              array('%s','%s'),
1515                                              $DBAuthParams['auth_update']);
1516         }
1517         if (empty($this->_authupdate)) {
1518             trigger_error("Either \$DBAuthParams['auth_update'] not defined or \$DBParams['dbtype'] != 'SQL'",
1519                           E_USER_WARNING);
1520             return false;
1521         }
1522
1523         if ($this->_auth_crypt_method == 'crypt') {
1524             if (function_exists('crypt'))
1525                 $submitted_password = crypt($submitted_password);
1526         }
1527         $dbh->simpleQuery(sprintf($this->_authupdate,
1528                                   $dbh->quote($submitted_password),
1529                                   $dbh->quote($this->_userid)
1530                                   ));
1531     }
1532
1533 }
1534
1535 class _AdoDbPassUser
1536 extends _DbPassUser
1537 /**
1538  * ADODB methods
1539  * Simple sprintf, no prepare.
1540  *
1541  * Warning: Since we use FETCH_MODE_ASSOC (string hash) and not the also faster 
1542  * FETCH_MODE_ROW (numeric), we have to use the correct aliases in auth_* sql statements!
1543  *
1544  * TODO: Change FETCH_MODE in adodb WikiDB sublasses.
1545  *
1546  * @tables: user
1547  */
1548 {
1549     function _AdoDbPassUser($UserName='',$prefs=false) {
1550         if (!$this->_prefs and isa($this,"_AdoDbPassUser")) {
1551             if ($prefs) $this->_prefs = $prefs;
1552             if (!isset($this->_prefs->_method))
1553               _PassUser::_PassUser($UserName);
1554         }
1555         $this->_userid = $UserName;
1556         $this->_auth_crypt_method = $GLOBALS['DBAuthParams']['auth_crypt_method'];
1557         $this->getAuthDbh();
1558         // Don't prepare the configured auth statements anymore
1559         return $this;
1560     }
1561
1562     function getPreferences() {
1563         // override the generic slow method here for efficiency
1564         _AnonUser::getPreferences();
1565         $this->getAuthDbh();
1566         if (isset($this->_prefs->_select)) {
1567             $dbh = & $this->_auth_dbi;
1568             $rs = $dbh->Execute(sprintf($this->_prefs->_select,$dbh->qstr($this->_userid)));
1569             if ($rs->EOF) {
1570                 $rs->Close();
1571             } else {
1572                 $prefs_blob = $rs->fields['prefs'];
1573                 $rs->Close();
1574                 if ($restored_from_db = $this->_prefs->retrieve($prefs_blob)) {
1575                     $updated = $this->_prefs->updatePrefs($restored_from_db);
1576                     //$this->_prefs = new UserPreferences($restored_from_db);
1577                     return $this->_prefs;
1578                 }
1579             }
1580         }
1581         if ($this->_HomePagehandle) {
1582             if ($restored_from_page = $this->_prefs->retrieve($this->_HomePagehandle->get('pref'))) {
1583                 $updated = $this->_prefs->updatePrefs($restored_from_page);
1584                 //$this->_prefs = new UserPreferences($restored_from_page);
1585                 return $this->_prefs;
1586             }
1587         }
1588         return $this->_prefs;
1589     }
1590
1591     function setPreferences($prefs, $id_only=false) {
1592         // if the prefs are changed
1593         if (_AnonUser::setPreferences($prefs, 1)) {
1594             global $request;
1595             $packed = $this->_prefs->store();
1596             $user = $request->_user;
1597             unset($user->_auth_dbi);
1598             if (!$id_only and isset($this->_prefs->_update)) {
1599                 $this->getAuthDbh();
1600                 $dbh = &$this->_auth_dbi;
1601                 $db_result = $dbh->Execute(sprintf($this->_prefs->_update,
1602                                                    $dbh->qstr($packed),
1603                                                    $dbh->qstr($this->_userid)));
1604                 $db_result->Close();
1605             } else {
1606                 //store prefs in homepage, not in cookie
1607                 if ($this->_HomePagehandle and !$id_only)
1608                     $this->_HomePagehandle->set('pref', $packed);
1609             }
1610             return count($this->_prefs->unpack($packed));
1611         }
1612         return 0;
1613     }
1614  
1615     function userExists() {
1616         global $DBAuthParams;
1617         if (empty($this->_authselect) and !empty($DBAuthParams['auth_check'])) {
1618             $this->_authselect = str_replace(array('"$userid"','"$password"'),array('%s','%s'),
1619                                               $DBAuthParams['auth_check']);
1620         }
1621         if (empty($this->_authselect))
1622             trigger_error("Either \$DBAuthParams['auth_check'] is missing or \$DBParams['dbtype'] != 'ADODB'",
1623                           E_USER_WARNING);
1624         //$this->getAuthDbh();
1625         $dbh = &$this->_auth_dbi;
1626         //NOTE: for auth_crypt_method='crypt' no special auth_user_exists is needed
1627         if ($this->_auth_crypt_method == 'crypt') {
1628             $rs = $dbh->Execute(sprintf($this->_authselect,$dbh->qstr($this->_userid)));
1629             if (!$rs->EOF) {
1630                 $rs->Close();
1631                 return true;
1632             } else {
1633                 $rs->Close();
1634             }
1635         }
1636         else {
1637             if (! $DBAuthParams['auth_user_exists'])
1638                 trigger_error("\$DBAuthParams['auth_user_exists'] is missing",
1639                               E_USER_WARNING);
1640             $this->_authcheck = str_replace('"$userid"','%s',
1641                                              $DBAuthParams['auth_user_exists']);
1642             $rs = $dbh->Execute(sprintf($this->_authcheck,$dbh->qstr($this->_userid)));
1643             if (!$rs->EOF) {
1644                 $rs->Close();
1645                 return true;
1646             } else {
1647                 $rs->Close();
1648             }
1649         }
1650         // maybe the user is allowed to create himself. Generally not wanted in 
1651         // external databases, but maybe wanted for the wiki database, for performance 
1652         // reasons
1653         if (!$this->_authcreate and !empty($DBAuthParams['auth_create'])) {
1654             $this->_authcreate = str_replace(array('"$userid"','"$password"'),array('%s','%s'),
1655                                               $DBAuthParams['auth_create']);
1656         }
1657         if (!empty($this->_authcreate)) return true;
1658         
1659         return $this->_tryNextUser();
1660     }
1661
1662     function checkPass($submitted_password) {
1663         global $DBAuthParams;
1664         if (empty($this->_authselect) and !empty($DBAuthParams['auth_check'])) {
1665             $this->_authselect = str_replace(array('"$userid"','"$password"'),array('%s','%s'),
1666                                               $DBAuthParams['auth_check']);
1667         }
1668         if (!isset($this->_authselect))
1669             trigger_error("Either \$DBAuthParams['auth_check'] is missing or \$DBParams['dbtype'] != 'ADODB'",
1670                           E_USER_WARNING);
1671         //$this->getAuthDbh();
1672         $dbh = &$this->_auth_dbi;
1673         //NOTE: for auth_crypt_method='crypt'  defined('ENCRYPTED_PASSWD',true) must be set
1674         if ($this->_auth_crypt_method == 'crypt') {
1675             $rs = $dbh->Execute(sprintf($this->_authselect,$dbh->qstr($this->_userid)));
1676             if (!$rs->EOF) {
1677                 $stored_password = $rs->fields['password'];
1678                 $rs->Close();
1679                 $result = $this->_checkPass($submitted_password, $stored_password);
1680             } else {
1681                 $rs->Close();
1682                 $result = false;
1683             }
1684         }
1685         else {
1686             $rs = $dbh->Execute(sprintf($this->_authselect,
1687                                         $dbh->qstr($submitted_password),
1688                                         $dbh->qstr($this->_userid)));
1689             $okay = $rs->fields['ok'];
1690             $rs->Close();
1691             $result = !empty($okay);
1692         }
1693
1694         if ($result) { 
1695             $this->_level = WIKIAUTH_USER;
1696             return $this->_level;
1697         } else {
1698             return $this->_tryNextPass($submitted_password);
1699         }
1700     }
1701
1702     function mayChangePass() {
1703         global $DBAuthParams;
1704         return !empty($DBAuthParams['auth_update']);
1705     }
1706
1707     function storePass($submitted_password) {
1708         global $DBAuthParams;
1709         if (!isset($this->_authupdate) and !empty($DBAuthParams['auth_update'])) {
1710             $this->_authupdate = str_replace(array('"$userid"','"$password"'),array("%s","%s"),
1711                                               $DBAuthParams['auth_update']);
1712         }
1713         if (!isset($this->_authupdate)) {
1714             trigger_error("Either \$DBAuthParams['auth_update'] not defined or \$DBParams['dbtype'] != 'ADODB'",
1715                           E_USER_WARNING);
1716             return false;
1717         }
1718
1719         if ($this->_auth_crypt_method == 'crypt') {
1720             if (function_exists('crypt'))
1721                 $submitted_password = crypt($submitted_password);
1722         }
1723         $this->getAuthDbh();
1724         $dbh = &$this->_auth_dbi;
1725         $rs = $dbh->Execute(sprintf($this->_authupdate,
1726                                     $dbh->qstr($submitted_password),
1727                                     $dbh->qstr($this->_userid)
1728                                     ));
1729         $rs->Close();
1730         return $rs;
1731     }
1732
1733 }
1734
1735 class _LDAPPassUser
1736 extends _PassUser
1737 /**
1738  * Define the vars LDAP_AUTH_HOST and LDAP_BASE_DN in index.php
1739  *
1740  * Preferences are handled in _PassUser
1741  */
1742 {
1743     function checkPass($submitted_password) {
1744         global $LDAP_SET_OPTION;
1745
1746         $this->_authmethod = 'LDAP';
1747         $userid = $this->_userid;
1748         if ($ldap = ldap_connect(LDAP_AUTH_HOST)) { // must be a valid LDAP server!
1749             if (defined('LDAP_AUTH_USER'))
1750                 if (defined('LDAP_AUTH_PASSWORD'))
1751                     // Windows Active Directory Server is strict
1752                     $r = @ldap_bind($ldap,LDAP_AUTH_USER,LDAP_AUTH_PASSWORD); 
1753                 else
1754                     $r = @ldap_bind($ldap,LDAP_AUTH_USER); 
1755             else
1756                 $r = @ldap_bind($ldap); // this is an anonymous bind
1757             if (!empty($LDAP_SET_OPTION)) {
1758                 foreach ($LDAP_SET_OPTION as $key => $value) {
1759                     ldap_set_option($ldap,$key,$value);
1760                 }
1761             }
1762             // Need to set the right root search information. see ../index.php
1763             $st_search = defined('LDAP_SEARCH_FIELD') 
1764                 ? LDAP_SEARCH_FIELD."=$userid"
1765                 : "uid=$userid";
1766             $sr = ldap_search($ldap, LDAP_BASE_DN, $st_search);
1767             $info = ldap_get_entries($ldap, $sr); 
1768             // there may be more hits with this userid.
1769             // of course it would be better to narrow down the BASE_DN
1770             for ($i = 0; $i < $info["count"]; $i++) {
1771                 $dn = $info[$i]["dn"];
1772                 // The password is still plain text.
1773                 if ($r = @ldap_bind($ldap, $dn, $submitted_password)) {
1774                     // ldap_bind will return TRUE if everything matches
1775                     ldap_close($ldap);
1776                     $this->_level = WIKIAUTH_USER;
1777                     return $this->_level;
1778                 }
1779             }
1780         } else {
1781             trigger_error(fmt("Unable to connect to LDAP server %s", LDAP_AUTH_HOST), 
1782                           E_USER_WARNING);
1783             //return false;
1784         }
1785
1786         return $this->_tryNextPass($submitted_password);
1787     }
1788
1789     function userExists() {
1790         global $LDAP_SET_OPTION;
1791
1792         $userid = $this->_userid;
1793         if ($ldap = ldap_connect(LDAP_AUTH_HOST)) { // must be a valid LDAP server!
1794             if (defined('LDAP_AUTH_USER'))
1795                 if (defined('LDAP_AUTH_PASSWORD'))
1796                     // Windows Active Directory Server is strict
1797                     $r = @ldap_bind($ldap,LDAP_AUTH_USER,LDAP_AUTH_PASSWORD); 
1798                 else
1799                     $r = @ldap_bind($ldap,LDAP_AUTH_USER); 
1800             else
1801                 $r = @ldap_bind($ldap); // this is an anonymous bind
1802             if (!empty($LDAP_SET_OPTION)) {
1803                 foreach ($LDAP_SET_OPTION as $key => $value) {
1804                     ldap_set_option($ldap,$key,$value);
1805                 }
1806             }
1807             // Need to set the right root search information. see ../index.php
1808             $st_search = defined('LDAP_SEARCH_FIELD') 
1809                 ? LDAP_SEARCH_FIELD."=$userid"
1810                 : "uid=$userid";
1811             $sr = ldap_search($ldap, LDAP_BASE_DN, $st_search);
1812             $info = ldap_get_entries($ldap, $sr); 
1813
1814             if ($info["count"] > 0) {
1815                 ldap_close($ldap);
1816                 return true;
1817             }
1818         } else {
1819             trigger_error(_("Unable to connect to LDAP server "). LDAP_AUTH_HOST, E_USER_WARNING);
1820         }
1821
1822         return $this->_tryNextUser();
1823     }
1824
1825     function mayChangePass() {
1826         return false;
1827     }
1828
1829 }
1830
1831 class _IMAPPassUser
1832 extends _PassUser
1833 /**
1834  * Define the var IMAP_AUTH_HOST in index.php (with port probably)
1835  *
1836  * Preferences are handled in _PassUser
1837  */
1838 {
1839     function checkPass($submitted_password) {
1840         $userid = $this->_userid;
1841         $mbox = @imap_open( "{" . IMAP_AUTH_HOST . "}",
1842                             $userid, $submitted_password, OP_HALFOPEN );
1843         if ($mbox) {
1844             imap_close($mbox);
1845             $this->_authmethod = 'IMAP';
1846             $this->_level = WIKIAUTH_USER;
1847             return $this->_level;
1848         } else {
1849             trigger_error(_("Unable to connect to IMAP server "). IMAP_AUTH_HOST, E_USER_WARNING);
1850         }
1851
1852         return $this->_tryNextPass($submitted_password);
1853     }
1854
1855     //CHECKME: this will not be okay for the auth policy strict
1856     function userExists() {
1857         return true;
1858         if (checkPass($this->_prefs->get('passwd')))
1859             return true;
1860             
1861         return $this->_tryNextUser();
1862     }
1863
1864     function mayChangePass() {
1865         return false;
1866     }
1867 }
1868
1869
1870 class _POP3PassUser
1871 extends _IMAPPassUser {
1872 /**
1873  * Define the var POP3_AUTH_HOST in index.php
1874  * Preferences are handled in _PassUser
1875  */
1876     function checkPass($submitted_password) {
1877         $userid = $this->_userid;
1878         $pass = $submitted_password;
1879         $host = defined('POP3_AUTH_HOST') ? POP3_AUTH_HOST : 'localhost';
1880         $port = defined('POP3_AUTH_PORT') ? POP3_AUTH_PORT : 110;
1881         $retval = false;
1882         $fp = fsockopen($host, $port, $errno, $errstr, 10);
1883         if ($fp) {
1884             // Get welcome string
1885             $line = fgets($fp, 1024);
1886             if (! strncmp("+OK ", $line, 4)) {
1887                 // Send user name
1888                 fputs($fp, "user $user\n");
1889                 // Get response
1890                 $line = fgets($fp, 1024);
1891                 if (! strncmp("+OK ", $line, 4)) {
1892                     // Send password
1893                     fputs($fp, "pass $pass\n");
1894                     // Get response
1895                     $line = fgets($fp, 1024);
1896                     if (! strncmp("+OK ", $line, 4)) {
1897                         $retval = true;
1898                     }
1899                 }
1900             }
1901             // quit the connection
1902             fputs($fp, "quit\n");
1903             // Get the sayonara message
1904             $line = fgets($fp, 1024);
1905             fclose($fp);
1906         }
1907         $this->_authmethod = 'POP3';
1908         if ($retval) {
1909             $this->_level = WIKIAUTH_USER;
1910         } else {
1911             $this->_level = WIKIAUTH_ANON;
1912         }
1913         return $this->_level;
1914     }
1915 }
1916
1917 class _FilePassUser
1918 extends _PassUser
1919 /**
1920  * Check users defined in a .htaccess style file
1921  * username:crypt\n...
1922  *
1923  * Preferences are handled in _PassUser
1924  */
1925 {
1926     var $_file, $_may_change;
1927
1928     // This can only be called from _PassUser, because the parent class 
1929     // sets the pref methods, before this class is initialized.
1930     function _FilePassUser($UserName='',$file='') {
1931         if (!$this->_prefs)
1932             _PassUser::_PassUser($UserName);
1933
1934         // read the .htaccess style file. We use our own copy of the standard pear class.
1935         include_once 'lib/pear/File_Passwd.php';
1936         // if passwords may be changed we have to lock them:
1937         $this->_may_change = defined('AUTH_USER_FILE_STORABLE') && AUTH_USER_FILE_STORABLE;
1938         if (empty($file) and defined('AUTH_USER_FILE'))
1939             $this->_file = new File_Passwd(AUTH_USER_FILE, !empty($this->_may_change));
1940         elseif (!empty($file))
1941             $this->_file = new File_Passwd($file, !empty($this->_may_change));
1942         else
1943             return false;
1944         return $this;
1945     }
1946  
1947     function mayChangePass() {
1948         return $this->_may_change;
1949     }
1950
1951     function userExists() {
1952         if (isset($this->_file->users[$this->_userid]))
1953             return true;
1954             
1955         return $this->_tryNextUser();
1956     }
1957
1958     function checkPass($submitted_password) {
1959         if ($this->_file->verifyPassword($this->_userid,$submitted_password)) {
1960             $this->_authmethod = 'File';
1961             $this->_level = WIKIAUTH_USER;
1962             return $this->_level;
1963         }
1964         
1965         return $this->_tryNextPass($submitted_password);
1966     }
1967
1968     function storePass($submitted_password) {
1969         if ($this->_may_change)
1970             return $this->_file->modUser($this->_userid,$submitted_password);
1971         else 
1972             return false;
1973     }
1974
1975 }
1976
1977 /**
1978  * Insert more auth classes here...
1979  * For example a customized db class for another db connection 
1980  * or a socket-based auth server
1981  *
1982  */
1983
1984
1985 /**
1986  * For security, this class should not be extended. Instead, extend
1987  * from _PassUser (think of this as unix "root").
1988  */
1989 class _AdminUser
1990 extends _PassUser
1991 {
1992     function mayChangePass() {
1993         return false;
1994     }
1995     function checkPass($submitted_password) {
1996         $stored_password = ADMIN_PASSWD;
1997         if ($this->_checkPass($submitted_password, $stored_password)) {
1998             $this->_level = WIKIAUTH_ADMIN;
1999             return $this->_level;
2000         } else {
2001             $this->_level = WIKIAUTH_ANON;
2002             return $this->_level;
2003         }
2004     }
2005     function storePass($submitted_password) {
2006         return false;
2007     }
2008 }
2009
2010 /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
2011 /**
2012  * Various data classes for the preference types, 
2013  * to support get, set, sanify (range checking, ...)
2014  * update() will do the neccessary side-effects if a 
2015  * setting gets changed (theme, language, ...)
2016 */
2017
2018 class _UserPreference
2019 {
2020     var $default_value;
2021
2022     function _UserPreference ($default_value) {
2023         $this->default_value = $default_value;
2024     }
2025
2026     function sanify ($value) {
2027         return (string)$value;
2028     }
2029
2030     function get ($name) {
2031         if (isset($this->{$name}))
2032             return $this->{$name};
2033         else 
2034             return $this->default_value;
2035     }
2036
2037     function getraw ($name) {
2038         if (!empty($this->{$name}))
2039             return $this->{$name};
2040     }
2041
2042     // stores the value as $this->$name, and not as $this->value (clever?)
2043     function set ($name, $value) {
2044         if ($this->get($name) != $value) {
2045             $this->update($value);
2046         }
2047         if ($value != $this->default_value) {
2048             $this->{$name} = $value;
2049         }
2050         else 
2051             unset($this->{$name});
2052     }
2053
2054     // default: no side-effects 
2055     function update ($value) {
2056         ;
2057     }
2058 }
2059
2060 class _UserPreference_numeric
2061 extends _UserPreference
2062 {
2063     function _UserPreference_numeric ($default, $minval = false,
2064                                       $maxval = false) {
2065         $this->_UserPreference((double)$default);
2066         $this->_minval = (double)$minval;
2067         $this->_maxval = (double)$maxval;
2068     }
2069
2070     function sanify ($value) {
2071         $value = (double)$value;
2072         if ($this->_minval !== false && $value < $this->_minval)
2073             $value = $this->_minval;
2074         if ($this->_maxval !== false && $value > $this->_maxval)
2075             $value = $this->_maxval;
2076         return $value;
2077     }
2078 }
2079
2080 class _UserPreference_int
2081 extends _UserPreference_numeric
2082 {
2083     function _UserPreference_int ($default, $minval = false, $maxval = false) {
2084         $this->_UserPreference_numeric((int)$default, (int)$minval, (int)$maxval);
2085     }
2086
2087     function sanify ($value) {
2088         return (int)parent::sanify((int)$value);
2089     }
2090 }
2091
2092 class _UserPreference_bool
2093 extends _UserPreference
2094 {
2095     function _UserPreference_bool ($default = false) {
2096         $this->_UserPreference((bool)$default);
2097     }
2098
2099     function sanify ($value) {
2100         if (is_array($value)) {
2101             /* This allows for constructs like:
2102              *
2103              *   <input type="hidden" name="pref[boolPref][]" value="0" />
2104              *   <input type="checkbox" name="pref[boolPref][]" value="1" />
2105              *
2106              * (If the checkbox is not checked, only the hidden input
2107              * gets sent. If the checkbox is sent, both inputs get
2108              * sent.)
2109              */
2110             foreach ($value as $val) {
2111                 if ($val)
2112                     return true;
2113             }
2114             return false;
2115         }
2116         return (bool) $value;
2117     }
2118 }
2119
2120 class _UserPreference_language
2121 extends _UserPreference
2122 {
2123     function _UserPreference_language ($default = DEFAULT_LANGUAGE) {
2124         $this->_UserPreference($default);
2125     }
2126
2127     // FIXME: check for valid locale
2128     function sanify ($value) {
2129         // Revert to DEFAULT_LANGUAGE if user does not specify
2130         // language in UserPreferences or chooses <system language>.
2131         if ($value == '' or empty($value))
2132             $value = DEFAULT_LANGUAGE;
2133
2134         return (string) $value;
2135     }
2136 }
2137
2138 class _UserPreference_theme
2139 extends _UserPreference
2140 {
2141     function _UserPreference_theme ($default = THEME) {
2142         $this->_UserPreference($default);
2143     }
2144
2145     function sanify ($value) {
2146         if (!empty($value) and FindFile($this->_themefile($value)))
2147             return $value;
2148         return $this->default_value;
2149     }
2150
2151     function update ($newvalue) {
2152         global $Theme;
2153         if ($newvalue)
2154             include_once($this->_themefile($newvalue));
2155         if (empty($Theme))
2156             include_once($this->_themefile(THEME));
2157     }
2158
2159     function _themefile ($theme) {
2160         return "themes/$theme/themeinfo.php";
2161     }
2162 }
2163
2164 class _UserPreference_notify
2165 extends _UserPreference
2166 {
2167     function sanify ($value) {
2168         if (!empty($value))
2169             return $value;
2170         else
2171             return $this->default_value;
2172     }
2173
2174     /** update to global user prefs: side-effect on set notify changes
2175      * use a global_data notify hash:
2176      * notify = array('pagematch' => array(userid => ('email' => mail, 
2177      *                                                'verified' => 0|1),
2178      *                                     ...),
2179      *                ...);
2180      */
2181     function update ($value) {
2182         $dbh = $GLOBALS['request']->getDbh();
2183         $notify = $dbh->get('notify');
2184         if (empty($notify))
2185             $data = array();
2186         else 
2187             $data = & $notify;
2188         // expand to existing pages only or store matches?
2189         // for now we store (glob-style) matches which is easier for the user
2190         $pages = $this->_page_split($value);
2191         $user = $GLOBALS['request']->getUser();
2192         $userid = $user->UserName();
2193         $email  = $user->_prefs->get('email');
2194         $verified = $user->_prefs->_prefs['email']->getraw('emailVerified');
2195         // check existing notify hash and possibly delete pages for email
2196         if (!empty($data)) {
2197             foreach ($data as $page => $users) {
2198                 if (isset($data[$page][$userid]) and !in_array($page, $pages)) {
2199                     unset($data[$page][$userid]);
2200                 }
2201                 if (count($data[$page]) == 0)
2202                     unset($data[$page]);
2203             }
2204         }
2205         // add the new pages
2206         if (!empty($pages)) {
2207             foreach ($pages as $page) {
2208                 if (!isset($data[$page]))
2209                     $data[$page] = array();
2210                 if (!isset($data[$page][$userid])) {
2211                     // should we really store the verification notice here or 
2212                     // check it dynamically at every page->save?
2213                     if ($verified) {
2214                         $data[$page][$userid] = array('email' => $email,
2215                                                       'verified' => $verified);
2216                     } else {
2217                         $data[$page][$userid] = array('email' => $email);
2218                     }
2219                 }
2220             }
2221         }
2222         // store users changes
2223         $dbh->set('notify',$data);
2224     }
2225
2226     /** split the user-given comma or whitespace delimited pagenames
2227      *  to array
2228      */
2229     function _page_split($value) {
2230         return preg_split('/[\s,]+/',$value,-1,PREG_SPLIT_NO_EMPTY);
2231     }
2232 }
2233
2234 class _UserPreference_email
2235 extends _UserPreference
2236 {
2237     function sanify ($value) {
2238         // check for valid email address
2239         if ($this->get('email') == $value and $this->getraw('emailVerified'))
2240             return $value;
2241         list($ok,$msg) = ValidateMail($value,'noconnect');
2242         if ($ok) {
2243             return $value;
2244         } else {
2245             trigger_error($msg, E_USER_WARNING);
2246             return $this->default_value;
2247         }
2248     }
2249
2250     /** Side-effect on email changes:
2251      * Send a verification mail or for now just a notification email.
2252      * For true verification (value = 2), we'd need a mailserver hook.
2253      */
2254     function update ($value) {
2255         $verified = $this->getraw('emailVerified');
2256         if (!empty($value) and !$verified) {
2257             list($ok,$msg) = ValidateMail($value);
2258             if ($ok and mail($value,"[".WIKI_NAME ."] "._("Email Verification"),
2259                      sprintf(_("Welcome to %s!\nYou email account is verified and\nwill be used to send pagechange notifications.\nSee %s"),
2260                              WIKI_NAME, WikiUrl($GLOBALS['request']->getArg('pagename'),'',true))))
2261                 $this->set('emailVerified',1);
2262         }
2263     }
2264 }
2265
2266 /** Check for valid email address
2267     fixed version from http://www.zend.com/zend/spotlight/ev12apr.php
2268  */
2269 function ValidateMail($email, $noconnect=false) {
2270     $HTTP_HOST = $_SERVER['HTTP_HOST'];
2271     $result = array();
2272     // well, technically ".a.a.@host.com" is also valid
2273     if (!eregi("^[_a-z0-9-]+(\.[_a-z0-9-]+)*@[a-z0-9-]+(\.[a-z0-9-]+)*(\.[a-z]{2,3})$", $email)) {
2274         $result[0] = false;
2275         $result[1] = "$email is not properly formatted";
2276         return $result;
2277     }
2278     if ($noconnect)
2279       return array(true,"$email is properly formatted");
2280
2281     list ( $Username, $Domain ) = split ("@",$email);
2282     //Todo: getmxrr workaround on windows or manual input field to verify it manually
2283     if (!isWindows() and getmxrr($Domain, $MXHost)) { // avoid warning on Windows. 
2284         $ConnectAddress = $MXHost[0];
2285     } else {
2286         $ConnectAddress = $Domain;
2287     }
2288     $Connect = fsockopen ( $ConnectAddress, 25 );
2289     if ($Connect) {
2290         if (ereg("^220", $Out = fgets($Connect, 1024))) {
2291             fputs ($Connect, "HELO $HTTP_HOST\r\n");
2292             $Out = fgets ( $Connect, 1024 );
2293             fputs ($Connect, "MAIL FROM: <".$email.">\r\n");
2294             $From = fgets ( $Connect, 1024 );
2295             fputs ($Connect, "RCPT TO: <".$email.">\r\n");
2296             $To = fgets ($Connect, 1024);
2297             fputs ($Connect, "QUIT\r\n");
2298             fclose($Connect);
2299             if (!ereg ("^250", $From)) {
2300                 $result[0]=false;
2301                 $result[1]="Server rejected address: ". $From;
2302                 return $result;
2303             }
2304             if (!ereg ( "^250", $To )) {
2305                 $result[0]=false;
2306                 $result[1]="Server rejected address: ". $To;
2307                 return $result;
2308             }
2309         } else {
2310             $result[0] = false;
2311             $result[1] = "No response from server";
2312             return $result;
2313           }
2314     }  else {
2315         $result[0]=false;
2316         $result[1]="Can not connect E-Mail server.";
2317         return $result;
2318     }
2319     $result[0]=true;
2320     $result[1]="$email appears to be valid.";
2321     return $result;
2322 } // end of function 
2323
2324 /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * */
2325
2326 /**
2327  * UserPreferences
2328  * 
2329  * This object holds the $request->_prefs subobjects.
2330  * A simple packed array of non-default values get's stored as cookie,
2331  * homepage, or database, which are converted to the array of 
2332  * ->_prefs objects.
2333  * We don't store the objects, because otherwise we will
2334  * not be able to upgrade any subobject. And it's a waste of space also.
2335  *
2336  */
2337 class UserPreferences
2338 {
2339     function UserPreferences($saved_prefs = false) {
2340         // userid stored too, to ensure the prefs are being loaded for
2341         // the correct (currently signing in) userid if stored in a
2342         // cookie.
2343         $this->_prefs
2344             = array(
2345                     'userid'        => new _UserPreference(''),
2346                     'passwd'        => new _UserPreference(''),
2347                     'autologin'     => new _UserPreference_bool(),
2348                     //'emailVerified' => new _UserPreference_emailVerified(),
2349                     //fixed: store emailVerified as email parameter
2350                     'email'         => new _UserPreference_email(''),
2351                     'notifyPages'   => new _UserPreference_notify(''),
2352                     'theme'         => new _UserPreference_theme(THEME),
2353                     'lang'          => new _UserPreference_language(DEFAULT_LANGUAGE),
2354                     'editWidth'     => new _UserPreference_int(EDITWIDTH_DEFAULT_COLS,
2355                                                                EDITWIDTH_MIN_COLS,
2356                                                                EDITWIDTH_MAX_COLS),
2357                     'noLinkIcons'   => new _UserPreference_bool(),
2358                     'editHeight'    => new _UserPreference_int(EDITHEIGHT_DEFAULT_ROWS,
2359                                                                EDITHEIGHT_MIN_ROWS,
2360                                                                EDITHEIGHT_DEFAULT_ROWS),
2361                     'timeOffset'    => new _UserPreference_numeric(TIMEOFFSET_DEFAULT_HOURS,
2362                                                                    TIMEOFFSET_MIN_HOURS,
2363                                                                    TIMEOFFSET_MAX_HOURS),
2364                     'relativeDates' => new _UserPreference_bool()
2365                     );
2366
2367         if (is_array($saved_prefs)) {
2368             foreach ($saved_prefs as $name => $value)
2369                 $this->set($name, $value);
2370         }
2371     }
2372
2373     function _getPref($name) {
2374         if ($name == 'emailVerified')
2375             $name = 'email';
2376         if (!isset($this->_prefs[$name])) {
2377             if ($name == 'passwd2') return false;
2378             trigger_error("$name: unknown preference", E_USER_NOTICE);
2379             return false;
2380         }
2381         return $this->_prefs[$name];
2382     }
2383     
2384     // get the value or default_value of the subobject
2385     function get($name) {
2386         if ($_pref = $this->_getPref($name))
2387             if ($name == 'emailVerified')
2388                 return $_pref->getraw($name);
2389             else
2390                 return $_pref->get($name);
2391         else
2392             return false;  
2393     }
2394
2395     // check and set the new value in the subobject
2396     function set($name, $value) {
2397         $pref = $this->_getPref($name);
2398         if ($pref === false)
2399             return false;
2400
2401         /* do it here or outside? */
2402         if ($name == 'passwd' and 
2403             defined('PASSWORD_LENGTH_MINIMUM') and 
2404             strlen($value) <= PASSWORD_LENGTH_MINIMUM ) {
2405             //TODO: How to notify the user?
2406             return false;
2407         }
2408         /*
2409         if ($name == 'theme' and $value == '')
2410            return true;
2411         */
2412         if (!isset($pref->{$value}) or $pref->{$value} != $pref->default_value) {
2413             $newvalue = $pref->sanify($value);
2414             $pref->set($name,$newvalue);
2415         }
2416         $this->_prefs[$name] = $pref;
2417         return true;
2418     }
2419
2420     function updatePrefs($prefs) {
2421         $count = 0;
2422         if (is_object($prefs)) {
2423             foreach ($this->_prefs as $type => $obj) {
2424                 if ($obj->get($type) !== $prefs->get($type)) {
2425                     $this->_prefs[$type]->set($type,$prefs->get($type));
2426                     $count++;
2427                 }
2428             }
2429         } elseif (is_array($prefs)) {
2430             foreach ($this->_prefs as $type => $obj) {
2431                 if (isset($prefs[$type]) and $obj->get($type) != $prefs[$type]) {
2432                     $this->_prefs[$type]->set($type,$prefs[$type]);
2433                     $count++;
2434                 }
2435             }
2436         }
2437         return $count;
2438     }
2439
2440     // for now convert just array of objects => array of values
2441     // Todo: the specialized subobjects must override this.
2442     function store() {
2443         $prefs = array();
2444         foreach ($this->_prefs as $name => $object) {
2445             if ($value = $object->getraw($name))
2446                 $prefs[$name] = $value;
2447             if ($name == 'email' and ($value = $object->getraw('emailVerified')))
2448                 $prefs['emailVerified'] = $value;
2449         }
2450         return $this->pack($prefs);
2451     }
2452
2453     // packed string or array of values => array of values
2454     // Todo: the specialized subobjects must override this.
2455     function retrieve($packed) {
2456         if (is_string($packed) and (substr($packed, 0, 2) == "a:"))
2457             $packed = unserialize($packed);
2458         if (!is_array($packed)) return false;
2459         $prefs = array();
2460         foreach ($packed as $name => $packed_pref) {
2461             if (is_string($packed_pref) and substr($packed_pref, 0, 2) == "O:") {
2462                 //legacy: check if it's an old array of objects
2463                 // Looks like a serialized object. 
2464                 // This might fail if the object definition does not exist anymore.
2465                 // object with ->$name and ->default_value vars.
2466                 $pref =  @unserialize($packed_pref);
2467                 if (empty($pref))
2468                     $pref = @unserialize(base64_decode($packed_pref));
2469                 $prefs[$name] = $pref->get($name);
2470             // fix old-style prefs
2471             } elseif (is_numeric($name) and is_array($packed_pref)) {
2472                 if (count($packed_pref) == 1) {
2473                     list($name,$value) = each($packed_pref);
2474                     $prefs[$name] = $value;
2475                 }
2476             } else {
2477                 $prefs[$name] = @unserialize($packed_pref);
2478                 if (empty($prefs[$name]))
2479                     $prefs[$name] = @unserialize(base64_decode($packed_pref));
2480                 // patched by frederik@pandora.be
2481                 if (empty($prefs[$name]))
2482                     $prefs[$name] = $packed_pref;
2483             }
2484         }
2485         return $prefs;
2486     }
2487
2488     /**
2489      * Check if the given prefs object is different from the current prefs object
2490      */
2491     function isChanged($other) {
2492         foreach ($this->_prefs as $type => $obj) {
2493             if ($obj->get($type) !== $other->get($type))
2494                 return true;
2495         }
2496         return false;
2497     }
2498
2499     // array of objects
2500     function getAll() {
2501         return $this->_prefs;
2502     }
2503
2504     function pack($nonpacked) {
2505         return serialize($nonpacked);
2506     }
2507
2508     function unpack($packed) {
2509         if (!$packed)
2510             return false;
2511         //$packed = base64_decode($packed);
2512         if (substr($packed, 0, 2) == "O:") {
2513             // Looks like a serialized object
2514             return unserialize($packed);
2515         }
2516         if (substr($packed, 0, 2) == "a:") {
2517             return unserialize($packed);
2518         }
2519         //trigger_error("DEBUG: Can't unpack bad UserPreferences",
2520         //E_USER_WARNING);
2521         return false;
2522     }
2523
2524     function hash () {
2525         return hash($this->_prefs);
2526     }
2527 }
2528
2529 /** TODO: new pref storage classes
2530  *  These are currently user specific and should be rewritten to be pref specific.
2531  *  i.e. $this == $user->_prefs
2532  */
2533 class CookieUserPreferences
2534 extends UserPreferences
2535 {
2536     function CookieUserPreferences ($saved_prefs = false) {
2537         //_AnonUser::_AnonUser('',$saved_prefs);
2538         UserPreferences::UserPreferences($saved_prefs);
2539     }
2540 }
2541
2542 class PageUserPreferences
2543 extends UserPreferences
2544 {
2545     function PageUserPreferences ($saved_prefs = false) {
2546         UserPreferences::UserPreferences($saved_prefs);
2547     }
2548 }
2549
2550 class PearDbUserPreferences
2551 extends UserPreferences
2552 {
2553     function PearDbUserPreferences ($saved_prefs = false) {
2554         UserPreferences::UserPreferences($saved_prefs);
2555     }
2556 }
2557
2558 class AdoDbUserPreferences
2559 extends UserPreferences
2560 {
2561     function AdoDbUserPreferences ($saved_prefs = false) {
2562         UserPreferences::UserPreferences($saved_prefs);
2563     }
2564     function getPreferences() {
2565         // override the generic slow method here for efficiency
2566         _AnonUser::getPreferences();
2567         $this->getAuthDbh();
2568         if (isset($this->_select)) {
2569             $dbh = & $this->_auth_dbi;
2570             $rs = $dbh->Execute(sprintf($this->_select,$dbh->qstr($this->_userid)));
2571             if ($rs->EOF) {
2572                 $rs->Close();
2573             } else {
2574                 $prefs_blob = $rs->fields['pref_blob'];
2575                 $rs->Close();
2576                 if ($restored_from_db = $this->_prefs->retrieve($prefs_blob)) {
2577                     $updated = $this->_prefs->updatePrefs($restored_from_db);
2578                     //$this->_prefs = new UserPreferences($restored_from_db);
2579                     return $this->_prefs;
2580                 }
2581             }
2582         }
2583         if (empty($this->_prefs->_prefs) and $this->_HomePagehandle) {
2584             if ($restored_from_page = $this->_prefs->retrieve($this->_HomePagehandle->get('pref'))) {
2585                 $updated = $this->_prefs->updatePrefs($restored_from_page);
2586                 //$this->_prefs = new UserPreferences($restored_from_page);
2587                 return $this->_prefs;
2588             }
2589         }
2590         return $this->_prefs;
2591     }
2592 }
2593
2594
2595 // $Log: not supported by cvs2svn $
2596 // Revision 1.38  2004/03/25 17:37:36  rurban
2597 // helper to patch to and from php5 (workaround for stricter parser, no macros in php)
2598 //
2599 // Revision 1.37  2004/03/25 17:00:31  rurban
2600 // more code to convert old-style pref array to new hash
2601 //
2602 // Revision 1.36  2004/03/24 19:39:02  rurban
2603 // php5 workaround code (plus some interim debugging code in XmlElement)
2604 //   php5 doesn't work yet with the current XmlElement class constructors,
2605 //   WikiUserNew does work better than php4.
2606 // rewrote WikiUserNew user upgrading to ease php5 update
2607 // fixed pref handling in WikiUserNew
2608 // added Email Notification
2609 // added simple Email verification
2610 // removed emailVerify userpref subclass: just a email property
2611 // changed pref binary storage layout: numarray => hash of non default values
2612 // print optimize message only if really done.
2613 // forced new cookie policy: delete pref cookies, use only WIKI_ID as plain string.
2614 //   prefs should be stored in db or homepage, besides the current session.
2615 //
2616 // Revision 1.35  2004/03/18 22:18:31  rurban
2617 // workaround for php5 object upgrading problem
2618 //
2619 // Revision 1.34  2004/03/18 21:41:09  rurban
2620 // fixed sqlite support
2621 // WikiUserNew: PHP5 fixes: don't assign $this (untested)
2622 //
2623 // Revision 1.33  2004/03/16 15:42:04  rurban
2624 // more fixes for undefined property warnings
2625 //
2626 // Revision 1.32  2004/03/14 16:30:52  rurban
2627 // db-handle session revivification, dba fixes
2628 //
2629 // Revision 1.31  2004/03/12 23:20:58  rurban
2630 // pref fixes (base64)
2631 //
2632 // Revision 1.30  2004/03/12 20:59:17  rurban
2633 // important cookie fix by Konstantin Zadorozhny
2634 // new editpage feature: JS_SEARCHREPLACE
2635 //
2636 // Revision 1.29  2004/03/11 13:30:47  rurban
2637 // fixed File Auth for user and group
2638 // missing only getMembersOf(Authenticated Users),getMembersOf(Every),getMembersOf(Signed Users)
2639 //
2640 // Revision 1.28  2004/03/08 18:17:09  rurban
2641 // added more WikiGroup::getMembersOf methods, esp. for special groups
2642 // fixed $LDAP_SET_OPTIONS
2643 // fixed _AuthInfo group methods
2644 //
2645 // Revision 1.27  2004/03/01 09:35:13  rurban
2646 // fixed DbPassuser pref init; lost userid
2647 //
2648 // Revision 1.26  2004/02/29 04:10:56  rurban
2649 // new POP3 auth (thanks to BiloBilo: pentothal at despammed dot com)
2650 // fixed syntax error in index.php
2651 //
2652 // Revision 1.25  2004/02/28 22:25:07  rurban
2653 // First PagePerm implementation:
2654 //
2655 // $Theme->setAnonEditUnknownLinks(false);
2656 //
2657 // Layout improvement with dangling links for mostly closed wiki's:
2658 // If false, only users with edit permissions will be presented the
2659 // special wikiunknown class with "?" and Tooltip.
2660 // If true (default), any user will see the ?, but will be presented
2661 // the PrintLoginForm on a click.
2662 //
2663 // Revision 1.24  2004/02/28 21:14:08  rurban
2664 // generally more PHPDOC docs
2665 //   see http://xarch.tu-graz.ac.at/home/rurban/phpwiki/xref/
2666 // fxied WikiUserNew pref handling: empty theme not stored, save only
2667 //   changed prefs, sql prefs improved, fixed password update,
2668 //   removed REPLACE sql (dangerous)
2669 // moved gettext init after the locale was guessed
2670 // + some minor changes
2671 //
2672 // Revision 1.23  2004/02/27 13:21:17  rurban
2673 // several performance improvements, esp. with peardb
2674 // simplified loops
2675 // storepass seperated from prefs if defined so
2676 // stacked and strict still not working
2677 //
2678 // Revision 1.22  2004/02/27 05:15:40  rurban
2679 // more stability. detected by Micki
2680 //
2681 // Revision 1.21  2004/02/26 20:43:49  rurban
2682 // new HttpAuthPassUser class (forces http auth if in the auth loop)
2683 // fixed user upgrade: don't return _PassUser in the first hand.
2684 //
2685 // Revision 1.20  2004/02/26 01:29:11  rurban
2686 // important fixes: endless loops in certain cases. minor rewrite
2687 //
2688 // Revision 1.19  2004/02/25 17:15:17  rurban
2689 // improve stability
2690 //
2691 // Revision 1.18  2004/02/24 15:20:05  rurban
2692 // fixed minor warnings: unchecked args, POST => Get urls for sortby e.g.
2693 //
2694 // Revision 1.17  2004/02/17 12:16:42  rurban
2695 // started with changePass support. not yet used.
2696 //
2697 // Revision 1.16  2004/02/15 22:23:45  rurban
2698 // oops, fixed showstopper (endless recursion)
2699 //
2700 // Revision 1.15  2004/02/15 21:34:37  rurban
2701 // PageList enhanced and improved.
2702 // fixed new WikiAdmin... plugins
2703 // editpage, Theme with exp. htmlarea framework
2704 //   (htmlarea yet committed, this is really questionable)
2705 // WikiUser... code with better session handling for prefs
2706 // enhanced UserPreferences (again)
2707 // RecentChanges for show_deleted: how should pages be deleted then?
2708 //
2709 // Revision 1.14  2004/02/15 17:30:13  rurban
2710 // workaround for lost db connnection handle on session restauration (->_auth_dbi)
2711 // fixed getPreferences() (esp. from sessions)
2712 // fixed setPreferences() (update and set),
2713 // fixed AdoDb DB statements,
2714 // update prefs only at UserPreferences POST (for testing)
2715 // unified db prefs methods (but in external pref classes yet)
2716 //
2717 // Revision 1.13  2004/02/09 03:58:12  rurban
2718 // for now default DB_SESSION to false
2719 // PagePerm:
2720 //   * not existing perms will now query the parent, and not
2721 //     return the default perm
2722 //   * added pagePermissions func which returns the object per page
2723 //   * added getAccessDescription
2724 // WikiUserNew:
2725 //   * added global ->prepare (not yet used) with smart user/pref/member table prefixing.
2726 //   * force init of authdbh in the 2 db classes
2727 // main:
2728 //   * fixed session handling (not triple auth request anymore)
2729 //   * don't store cookie prefs with sessions
2730 // stdlib: global obj2hash helper from _AuthInfo, also needed for PagePerm
2731 //
2732 // Revision 1.12  2004/02/07 10:41:25  rurban
2733 // fixed auth from session (still double code but works)
2734 // fixed GroupDB
2735 // fixed DbPassUser upgrade and policy=old
2736 // added GroupLdap
2737 //
2738 // Revision 1.11  2004/02/03 09:45:39  rurban
2739 // LDAP cleanup, start of new Pref classes
2740 //
2741 // Revision 1.10  2004/02/01 09:14:11  rurban
2742 // Started with Group_Ldap (not yet ready)
2743 // added new _AuthInfo plugin to help in auth problems (warning: may display passwords)
2744 // fixed some configurator vars
2745 // renamed LDAP_AUTH_SEARCH to LDAP_BASE_DN
2746 // changed PHPWIKI_VERSION from 1.3.8a to 1.3.8pre
2747 // USE_DB_SESSION defaults to true on SQL
2748 // changed GROUP_METHOD definition to string, not constants
2749 // changed sample user DBAuthParams from UPDATE to REPLACE to be able to
2750 //   create users. (Not to be used with external databases generally, but
2751 //   with the default internal user table)
2752 //
2753 // fixed the IndexAsConfigProblem logic. this was flawed:
2754 //   scripts which are the same virtual path defined their own lib/main call
2755 //   (hmm, have to test this better, phpwiki.sf.net/demo works again)
2756 //
2757 // Revision 1.9  2004/01/30 19:57:58  rurban
2758 // fixed DBAuthParams['pref_select']: wrong _auth_dbi object used.
2759 //
2760 // Revision 1.8  2004/01/30 18:46:15  rurban
2761 // fix "lib/WikiUserNew.php:572: Notice[8]: Undefined variable: DBParams"
2762 //
2763 // Revision 1.7  2004/01/27 23:23:39  rurban
2764 // renamed ->Username => _userid for consistency
2765 // renamed mayCheckPassword => mayCheckPass
2766 // fixed recursion problem in WikiUserNew
2767 // fixed bogo login (but not quite 100% ready yet, password storage)
2768 //
2769 // Revision 1.6  2004/01/26 09:17:49  rurban
2770 // * changed stored pref representation as before.
2771 //   the array of objects is 1) bigger and 2)
2772 //   less portable. If we would import packed pref
2773 //   objects and the object definition was changed, PHP would fail.
2774 //   This doesn't happen with an simple array of non-default values.
2775 // * use $prefs->retrieve and $prefs->store methods, where retrieve
2776 //   understands the interim format of array of objects also.
2777 // * simplified $prefs->get() and fixed $prefs->set()
2778 // * added $user->_userid and class '_WikiUser' portability functions
2779 // * fixed $user object ->_level upgrading, mostly using sessions.
2780 //   this fixes yesterdays problems with loosing authorization level.
2781 // * fixed WikiUserNew::checkPass to return the _level
2782 // * fixed WikiUserNew::isSignedIn
2783 // * added explodePageList to class PageList, support sortby arg
2784 // * fixed UserPreferences for WikiUserNew
2785 // * fixed WikiPlugin for empty defaults array
2786 // * UnfoldSubpages: added pagename arg, renamed pages arg,
2787 //   removed sort arg, support sortby arg
2788 //
2789 // Revision 1.5  2004/01/25 03:05:00  rurban
2790 // First working version, but has some problems with the current main loop.
2791 // Implemented new auth method dispatcher and policies, all the external
2792 // _PassUser classes (also for ADODB and Pear DB).
2793 // The two global funcs UserExists() and CheckPass() are probably not needed,
2794 // since the auth loop is done recursively inside the class code, upgrading
2795 // the user class within itself.
2796 // Note: When a higher user class is returned, this doesn't mean that the user
2797 // is authorized, $user->_level is still low, and only upgraded on successful
2798 // login.
2799 //
2800 // Revision 1.4  2003/12/07 19:29:48  carstenklapp
2801 // Code Housecleaning: fixed syntax errors. (php -l *.php)
2802 //
2803 // Revision 1.3  2003/12/06 19:10:46  carstenklapp
2804 // Finished off logic for determining user class, including
2805 // PassUser. Removed ability of BogoUser to save prefs into a page.
2806 //
2807 // Revision 1.2  2003/12/03 21:45:48  carstenklapp
2808 // Added admin user, password user, and preference classes. Added
2809 // password checking functions for users and the admin. (Now the easy
2810 // parts are nearly done).
2811 //
2812 // Revision 1.1  2003/12/02 05:46:36  carstenklapp
2813 // Complete rewrite of WikiUser.php.
2814 //
2815 // This should make it easier to hook in user permission groups etc. some
2816 // time in the future. Most importantly, to finally get UserPreferences
2817 // fully working properly for all classes of users: AnonUser, BogoUser,
2818 // AdminUser; whether they have a NamesakePage (PersonalHomePage) or not,
2819 // want a cookie or not, and to bring back optional AutoLogin with the
2820 // UserName stored in a cookie--something that was lost after PhpWiki had
2821 // dropped the default http auth login method.
2822 //
2823 // Added WikiUser classes which will (almost) work together with existing
2824 // UserPreferences class. Other parts of PhpWiki need to be updated yet
2825 // before this code can be hooked up.
2826 //
2827
2828 // Local Variables:
2829 // mode: php
2830 // tab-width: 8
2831 // c-basic-offset: 4
2832 // c-hanging-comment-ender-p: nil
2833 // indent-tabs-mode: nil
2834 // End:
2835 ?>