Fix bug validating sudo logins
[webmin.git] / miniserv.pl
1 #!/usr/local/bin/perl
2 # A very simple perl web server used by Webmin
3
4 # Require basic libraries
5 package miniserv;
6 use Socket;
7 use POSIX;
8 use Time::Local;
9
10 @itoa64 = split(//, "./0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz");
11
12 # Find and read config file
13 if (@ARGV != 1) {
14         die "Usage: miniserv.pl <config file>";
15         }
16 if ($ARGV[0] =~ /^([a-z]:)?\//i) {
17         $config_file = $ARGV[0];
18         }
19 else {
20         chop($pwd = `pwd`);
21         $config_file = "$pwd/$ARGV[0]";
22         }
23 %config = &read_config_file($config_file);
24 if ($config{'perllib'}) {
25         push(@INC, split(/:/, $config{'perllib'}));
26         $ENV{'PERLLIB'} .= ':'.$config{'perllib'};
27         }
28
29 # Check is SSL is enabled and available
30 if ($config{'ssl'}) {
31         eval "use Net::SSLeay";
32         if (!$@) {
33                 $use_ssl = 1;
34                 # These functions only exist for SSLeay 1.0
35                 eval "Net::SSLeay::SSLeay_add_ssl_algorithms()";
36                 eval "Net::SSLeay::load_error_strings()";
37                 if ($config{'no_ssl2'}) {
38                         eval "Net::SSLeay::CTX_set_options($ctx,&Net::SSLeay::OP_NO_SSLv2)";
39                         }
40                 if (defined(&Net::SSLeay::X509_STORE_CTX_get_current_cert) &&
41                     defined(&Net::SSLeay::CTX_load_verify_locations) &&
42                     defined(&Net::SSLeay::CTX_set_verify)) {
43                         $client_certs = 1;
44                         }
45                 }
46         }
47
48 # Check if the syslog module is available to log hacking attempts
49 if ($config{'syslog'} && !$config{'inetd'}) {
50         eval "use Sys::Syslog qw(:DEFAULT setlogsock)";
51         if (!$@) {
52                 $use_syslog = 1;
53                 }
54         }
55
56 # check if the TCP-wrappers module is available
57 if ($config{'libwrap'}) {
58         eval "use Authen::Libwrap qw(hosts_ctl STRING_UNKNOWN)";
59         if (!$@) {
60                 $use_libwrap = 1;
61                 }
62         }
63
64 # Check if the MD5 perl module is available
65 eval "use MD5";
66 if (!$@) {
67         $use_md5 = "MD5";
68         }
69 else {
70         eval "use Digest::MD5";
71         if (!$@) {
72                 $use_md5 = "Digest::MD5";
73                 }
74         }
75
76 # Get miniserv's perl path and location
77 $miniserv_path = $0;
78 open(SOURCE, $miniserv_path);
79 <SOURCE> =~ /^#!(\S+)/;
80 $perl_path = $1;
81 close(SOURCE);
82 if (!-x $perl_path) {
83         $perl_path = $^X;
84         }
85 if (-l $perl_path) {
86         $linked_perl_path = readlink($perl_path);
87         }
88 @miniserv_argv = @ARGV;
89
90 # Check vital config options
91 &update_vital_config();
92
93 $sidname = $config{'sidname'};
94 die "Session authentication cannot be used in inetd mode"
95         if ($config{'inetd'} && $config{'session'});
96
97 # check if the PAM module is available to authenticate
98 if ($config{'assume_pam'}) {
99         # Just assume that it will work. This can also be used to work around
100         # a Solaris bug in which using PAM before forking caused it to fail
101         # later!
102         $use_pam = 1;
103         }
104 elsif (!$config{'no_pam'}) {
105         eval "use Authen::PAM;";
106         if (!$@) {
107                 # check if the PAM authentication can be used by opening a
108                 # PAM handle
109                 local $pamh;
110                 if (ref($pamh = new Authen::PAM($config{'pam'},
111                                                 $config{'pam_test_user'},
112                                                 \&pam_conv_func))) {
113                         # Now test a login to see if /etc/pam.d/webmin is set
114                         # up properly.
115                         $pam_conv_func_called = 0;
116                         $pam_username = "test";
117                         $pam_password = "test";
118                         $pamh->pam_authenticate();
119                         if ($pam_conv_func_called) {
120                                 $pam_msg = "PAM authentication enabled";
121                                 $use_pam = 1;
122                                 }
123                         else {
124                                 $pam_msg = "PAM test failed - maybe /etc/pam.d/$config{'pam'} does not exist";
125                                 }
126                         }
127                 else {
128                         $pam_msg = "PAM initialization of Authen::PAM failed";
129                         }
130                 }
131         else {
132                 $pam_msg = "Perl module Authen::PAM needed for PAM is not installed : $@";
133                 }
134         }
135 if ($config{'pam_only'} && !$use_pam) {
136         print STDERR $pam_msg;
137         print STDERR "PAM use is mandatory, but could not be enabled!\n";
138         exit(1);
139         }
140 elsif ($pam_msg && !$use_pam) {
141         $pam_msg2 = "Continuing without the Authen::PAM perl module";
142         }
143
144 # Check if the User::Utmp perl module is installed
145 if ($config{'utmp'}) {
146         eval "use User::Utmp;";
147         if (!$@) {
148                 $write_utmp = 1;
149                 $utmp_msg = "UTMP logging enabled";
150                 }
151         else {
152                 $utmp_msg = "Perl module User::Utmp needed for Utmp logging is not installed : $@";
153                 }
154         }
155
156 # See if the crypt function fails
157 eval "crypt('foo', 'xx')";
158 if ($@) {
159         eval "use Crypt::UnixCrypt";
160         if (!$@) {
161                 $use_perl_crypt = 1;
162                 $crypt_msg = "Using Crypt::UnixCrypt for password encryption\n";
163                 }
164         else {
165                 $crypt_msg = "crypt() function un-implemented, and Crypt::UnixCrypt not installed - password authentication will probably fail\n";
166                 }
167         }
168
169 # Check if /dev/urandom really generates random IDs, by calling it twice
170 local $rand1 = &generate_random_id("foo", 1);
171 local $rand2 = &generate_random_id("foo", 2);
172 local $rand_msg;
173 if ($rand1 eq $rand2) {
174         $bad_urandom = 1;
175         $rand_msg = "Random number generator file /dev/urandom is not reliable";
176         }
177
178 # Check if we can call sudo
179 if ($config{'sudo'} && &has_command("sudo")) {
180         eval "use IO::Pty";
181         if (!$@) {
182                 $use_sudo = 1;
183                 }
184         else {
185                 $sudo_msg = "Perl module IO::Pty needed for calling sudo is not installed : $@";
186                 }
187         }
188
189 # init days and months for http_date
190 @weekday = ( "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat" );
191 @month = ( "Jan", "Feb", "Mar", "Apr", "May", "Jun",
192            "Jul", "Aug", "Sep", "Oct", "Nov", "Dec" );
193
194 # Change dir to the server root
195 @roots = ( $config{'root'} );
196 for($i=0; defined($config{"extraroot_$i"}); $i++) {
197         push(@roots, $config{"extraroot_$i"});
198         }
199 chdir($roots[0]);
200 eval { $user_homedir = (getpwuid($<))[7]; };
201 if ($@) {
202         # getpwuid doesn't work on windows
203         $user_homedir = $ENV{"HOME"} || $ENV{"USERPROFILE"} || "/";
204         $on_windows = 1;
205         }
206
207 # Read users file
208 &read_users_file();
209
210 # Setup SSL if possible and if requested
211 if (!-r $config{'keyfile'} ||
212     $config{'certfile'} && !-r $config{'certfile'}) {
213         # Key file doesn't exist!
214         $use_ssl = 0;
215         }
216 @ipkeys = &get_ipkeys(\%config);
217 if ($use_ssl) {
218         if ($config{'ssl_version'}) {
219                 # Force an SSL version
220                 $Net::SSLeay::version = $config{'ssl_version'};
221                 $Net::SSLeay::ssl_version = $config{'ssl_version'};
222                 }
223         $client_certs = 0 if (!-r $config{'ca'} || !%certs);
224         $ssl_contexts{"*"} = &create_ssl_context($config{'keyfile'},
225                                                  $config{'certfile'});
226         foreach $ipkey (@ipkeys) {
227                 $ctx = &create_ssl_context($ipkey->{'key'}, $ipkey->{'cert'});
228                 foreach $ip (@{$ipkey->{'ips'}}) {
229                         $ssl_contexts{$ip} = $ctx;
230                         }
231                 }
232         }
233
234 # Setup syslog support if possible and if requested
235 if ($use_syslog) {
236         open(ERRDUP, ">&STDERR");
237         open(STDERR, ">/dev/null");
238         $log_socket = $config{"logsock"} || "unix";
239         eval 'openlog($config{"pam"}, "cons,pid,ndelay", "authpriv"); setlogsock($log_socket)';
240         if ($@) {
241                 $use_syslog = 0;
242                 }
243         else {
244                 local $msg = ucfirst($config{'pam'})." starting";
245                 eval { syslog("info", "%s", $msg); };
246                 if ($@) {
247                         eval {
248                                 setlogsock("inet");
249                                 syslog("info", "%s", $msg);
250                                 };
251                         if ($@) {
252                                 # All attempts to use syslog have failed..
253                                 $use_syslog = 0;
254                                 }
255                         }
256                 }
257         open(STDERR, ">&ERRDUP");
258         close(ERRDUP);
259         }
260
261 # Read MIME types file and add extra types
262 &read_mime_types();
263
264 # get the time zone
265 if ($config{'log'}) {
266         local(@gmt, @lct, $days, $hours, $mins);
267         @gmt = gmtime(time());
268         @lct = localtime(time());
269         $days = $lct[3] - $gmt[3];
270         $hours = ($days < -1 ? 24 : 1 < $days ? -24 : $days * 24) +
271                  $lct[2] - $gmt[2];
272         $mins = $hours * 60 + $lct[1] - $gmt[1];
273         $timezone = ($mins < 0 ? "-" : "+"); $mins = abs($mins);
274         $timezone .= sprintf "%2.2d%2.2d", $mins/60, $mins%60;
275         }
276
277 # Build various maps from the config files
278 &build_config_mappings();
279
280 # start up external authentication program, if needed
281 if ($config{'extauth'}) {
282         socketpair(EXTAUTH, EXTAUTH2, AF_UNIX, SOCK_STREAM, PF_UNSPEC);
283         if (!($extauth = fork())) {
284                 close(EXTAUTH);
285                 close(STDIN);
286                 close(STDOUT);
287                 open(STDIN, "<&EXTAUTH2");
288                 open(STDOUT, ">&EXTAUTH2");
289                 exec($config{'extauth'}) or die "exec failed : $!\n";
290                 }
291         close(EXTAUTH2);
292         local $os = select(EXTAUTH);
293         $| = 1; select($os);
294         }
295
296 # Pre-load any libraries
297 if (!$config{'inetd'}) {
298         foreach $pl (split(/\s+/, $config{'preload'})) {
299                 ($pkg, $lib) = split(/=/, $pl);
300                 $pkg =~ s/[^A-Za-z0-9]/_/g;
301                 eval "package $pkg; do '$config{'root'}/$lib'";
302                 if ($@) {
303                         print STDERR "Failed to pre-load $lib in $pkg : $@\n";
304                         }
305                 else {
306                         print STDERR "Pre-loaded $lib in $pkg\n";
307                         }
308                 }
309         foreach $pl (split(/\s+/, $config{'premodules'})) {
310                 if ($pl =~ /\//) {
311                         ($dir, $mod) = split(/\//, $pl);
312                         }
313                 else {
314                         ($dir, $mod) = (undef, $pl);
315                         }
316                 push(@INC, "$config{'root'}/$dir");
317                 eval "package $mod; use $mod ()";
318                 if ($@) {
319                         print STDERR "Failed to pre-load $mod : $@\n";
320                         }
321                 else {
322                         print STDERR "Pre-loaded $mod\n";
323                         }
324                 }
325         }
326
327 # Open debug log if set
328 if ($config{'debuglog'}) {
329         open(DEBUG, ">>$config{'debuglog'}");
330         chmod(0700, $config{'debuglog'});
331         select(DEBUG); $| = 1; select(STDOUT);
332         print DEBUG "miniserv.pl starting ..\n";
333         }
334
335 # Write out (empty) blocked hosts file
336 &write_blocked_file();
337
338 # Initially read webmin cron functions and last execution times
339 &read_webmin_crons();
340 %webmincron_last = ( );
341 &read_file($config{'webmincron_last'}, \%webmincron_last);
342
343 # Re-direct STDERR to a log file
344 if ($config{'errorlog'} ne '-') {
345         open(STDERR, ">>$config{'errorlog'}") || die "failed to open $config{'errorlog'} : $!";
346         if ($config{'logperms'}) {
347                 chmod(oct($config{'logperms'}), $config{'errorlog'});
348                 }
349         }
350 select(STDERR); $| = 1; select(STDOUT);
351
352 if ($config{'inetd'}) {
353         # We are being run from inetd - go direct to handling the request
354         $SIG{'HUP'} = 'IGNORE';
355         $SIG{'TERM'} = 'DEFAULT';
356         $SIG{'PIPE'} = 'DEFAULT';
357         open(SOCK, "+>&STDIN");
358
359         # Check if it is time for the logfile to be cleared
360         if ($config{'logclear'}) {
361                 local $write_logtime = 0;
362                 local @st = stat("$config{'logfile'}.time");
363                 if (@st) {
364                         if ($st[9]+$config{'logtime'}*60*60 < time()){
365                                 # need to clear log
366                                 $write_logtime = 1;
367                                 unlink($config{'logfile'});
368                                 }
369                         }
370                 else { $write_logtime = 1; }
371                 if ($write_logtime) {
372                         open(LOGTIME, ">$config{'logfile'}.time");
373                         print LOGTIME time(),"\n";
374                         close(LOGTIME);
375                         }
376                 }
377
378         # Initialize SSL for this connection
379         if ($use_ssl) {
380                 $ssl_con = &ssl_connection_for_ip(SOCK);
381                 $ssl_con || exit;
382                 }
383
384         # Work out the hostname for this web server
385         $host = &get_socket_name(SOCK);
386         $host || exit;
387         $port = $config{'port'};
388         $acptaddr = getpeername(SOCK);
389         $acptaddr || exit;
390
391         print DEBUG "main: Starting handle_request loop pid=$$\n";
392         while(&handle_request($acptaddr, getsockname(SOCK))) { }
393         print DEBUG "main: Done handle_request loop pid=$$\n";
394         close(SOCK);
395         exit;
396         }
397
398 # Build list of sockets to listen on
399 if ($config{"bind"} && $config{"bind"} ne "*") {
400         push(@sockets, [ inet_aton($config{'bind'}), $config{'port'} ]);
401         }
402 else {
403         push(@sockets, [ INADDR_ANY, $config{'port'} ]);
404         }
405 foreach $s (split(/\s+/, $config{'sockets'})) {
406         if ($s =~ /^(\d+)$/) {
407                 # Just listen on another port on the main IP
408                 push(@sockets, [ $sockets[0]->[0], $s ]);
409                 }
410         elsif ($s =~ /^(\S+):(\d+)$/) {
411                 # Listen on a specific port and IP
412                 push(@sockets, [ $1 eq "*" ? INADDR_ANY : inet_aton($1), $2 ]);
413                 }
414         elsif ($s =~ /^([0-9\.]+):\*$/ || $s =~ /^([0-9\.]+)$/) {
415                 # Listen on the main port on another IP
416                 push(@sockets, [ inet_aton($1), $sockets[0]->[1] ]);
417                 }
418         }
419
420 # Open all the sockets
421 $proto = getprotobyname('tcp');
422 @sockerrs = ( );
423 $tried_inaddr_any = 0;
424 for($i=0; $i<@sockets; $i++) {
425         $fh = "MAIN$i";
426         socket($fh, PF_INET, SOCK_STREAM, $proto) ||
427                 die "Failed to open socket : $!";
428         setsockopt($fh, SOL_SOCKET, SO_REUSEADDR, pack("l", 1));
429         for($j=0; $j<5; $j++) {
430                 last if (bind($fh, pack_sockaddr_in($sockets[$i]->[1],
431                                                     $sockets[$i]->[0])));
432                 sleep(1);
433                 }
434         if ($j == 5) {
435                 # All attempts failed .. give up
436                 if ($sockets[$i]->[0] eq INADDR_ANY) {
437                         push(@sockerrs, "Failed to bind to port $sockets[$i]->[1] : $!");
438                         $tried_inaddr_any = 1;
439                         }
440                 else {
441                         $ip = inet_ntoa($sockets[$i]->[0]);
442                         push(@sockerrs, "Failed to bind to IP $ip port $sockets[$i]->[1] : $!");
443                         }
444                 }
445         else {
446                 listen($fh, SOMAXCONN);
447                 push(@socketfhs, $fh);
448                 }
449         }
450 foreach $se (@sockerrs) {
451         print STDERR $se,"\n";
452         }
453
454 # If all binds failed, try binding to any address
455 if (!@socketfhs && !$tried_inaddr_any) {
456         print STDERR "Falling back to listening on any address\n";
457         $fh = "MAIN";
458         socket($fh, PF_INET, SOCK_STREAM, $proto) ||
459                 die "Failed to open socket : $!";
460         setsockopt($fh, SOL_SOCKET, SO_REUSEADDR, pack("l", 1));
461         bind($fh, pack_sockaddr_in($sockets[0]->[1], INADDR_ANY)) ||
462                 die "Failed to bind to port $sockets[0]->[1] : $!";
463         listen($fh, SOMAXCONN);
464         push(@socketfhs, $fh);
465         }
466 elsif (!@socketfhs && $tried_inaddr_any) {
467         die "Could not listen on any ports";
468         }
469
470 if ($config{'listen'}) {
471         # Open the socket that allows other webmin servers to find this one
472         $proto = getprotobyname('udp');
473         if (socket(LISTEN, PF_INET, SOCK_DGRAM, $proto)) {
474                 setsockopt(LISTEN, SOL_SOCKET, SO_REUSEADDR, pack("l", 1));
475                 bind(LISTEN, pack_sockaddr_in($config{'listen'}, INADDR_ANY));
476                 listen(LISTEN, SOMAXCONN);
477                 }
478         else {
479                 $config{'listen'} = 0;
480                 }
481         }
482
483 # Split from the controlling terminal, unless configured not to
484 if (!$config{'nofork'}) {
485         if (fork()) { exit; }
486         }
487 eval { setsid(); };     # may not work on Windows
488
489 # Close standard file handles
490 open(STDIN, "</dev/null");
491 open(STDOUT, ">/dev/null");
492 &log_error("miniserv.pl started");
493 &log_error($pam_msg) if ($pam_msg);
494 &log_error($pam_msg2) if ($pam_msg2);
495 &log_error($utmp_msg) if ($utmp_msg);
496 &log_error($crypt_msg) if ($crypt_msg);
497 &log_error($sudo_msg) if ($sudo_msg);
498 &log_error($rand_msg) if ($rand_msg);
499
500 # write out the PID file
501 &write_pid_file();
502
503 # Start the log-clearing process, if needed. This checks every minute
504 # to see if the log has passed its reset time, and if so clears it
505 if ($config{'logclear'}) {
506         if (!($logclearer = fork())) {
507                 &close_all_sockets();
508                 close(LISTEN);
509                 while(1) {
510                         local $write_logtime = 0;
511                         local @st = stat("$config{'logfile'}.time");
512                         if (@st) {
513                                 if ($st[9]+$config{'logtime'}*60*60 < time()){
514                                         # need to clear log
515                                         $write_logtime = 1;
516                                         unlink($config{'logfile'});
517                                         }
518                                 }
519                         else { $write_logtime = 1; }
520                         if ($write_logtime) {
521                                 open(LOGTIME, ">$config{'logfile'}.time");
522                                 print LOGTIME time(),"\n";
523                                 close(LOGTIME);
524                                 }
525                         sleep(5*60);
526                         }
527                 exit;
528                 }
529         push(@childpids, $logclearer);
530         }
531
532 # Setup the logout time dbm if needed
533 if ($config{'session'}) {
534         eval "use SDBM_File";
535         dbmopen(%sessiondb, $config{'sessiondb'}, 0700);
536         eval "\$sessiondb{'1111111111'} = 'foo bar';";
537         if ($@) {
538                 dbmclose(%sessiondb);
539                 eval "use NDBM_File";
540                 dbmopen(%sessiondb, $config{'sessiondb'}, 0700);
541                 }
542         else {
543                 delete($sessiondb{'1111111111'});
544                 }
545         }
546
547 # Run the main loop
548 $SIG{'HUP'} = 'miniserv::trigger_restart';
549 $SIG{'TERM'} = 'miniserv::term_handler';
550 $SIG{'USR1'} = 'miniserv::trigger_reload';
551 $SIG{'PIPE'} = 'IGNORE';
552 local $remove_session_count = 0;
553 $need_pipes = $config{'passdelay'} || $config{'session'};
554 while(1) {
555         # wait for a new connection, or a message from a child process
556         local ($i, $rmask);
557         if (@childpids <= $config{'maxconns'}) {
558                 # Only accept new main socket connects when ready
559                 local $s;
560                 foreach $s (@socketfhs) {
561                         vec($rmask, fileno($s), 1) = 1;
562                         }
563                 }
564         else {
565                 printf STDERR "too many children (%d > %d)\n",
566                         scalar(@childpids), $config{'maxconns'};
567                 }
568         if ($need_pipes) {
569                 for($i=0; $i<@passin; $i++) {
570                         vec($rmask, fileno($passin[$i]), 1) = 1;
571                         }
572                 }
573         vec($rmask, fileno(LISTEN), 1) = 1 if ($config{'listen'});
574
575         # Wait for a connection
576         local $sel = select($rmask, undef, undef, 10);
577
578         # Check the flag files
579         if ($config{'restartflag'} && -r $config{'restartflag'}) {
580                 print STDERR "restart flag file detected\n";
581                 unlink($config{'restartflag'});
582                 $need_restart = 1;
583                 }
584         if ($config{'reloadflag'} && -r $config{'reloadflag'}) {
585                 unlink($config{'reloadflag'});
586                 $need_reload = 1;
587                 }
588
589         if ($need_restart) {
590                 # Got a HUP signal while in select() .. restart now
591                 &restart_miniserv();
592                 }
593         if ($need_reload) {
594                 # Got a USR1 signal while in select() .. re-read config
595                 $need_reload = 0;
596                 &reload_config_file();
597                 }
598         local $time_now = time();
599
600         # Clean up finished processes
601         local $pid;
602         do {    $pid = waitpid(-1, WNOHANG);
603                 @childpids = grep { $_ != $pid } @childpids;
604                 } while($pid != 0 && $pid != -1);
605
606         # run the unblocking procedure to check if enough time has passed to
607         # unblock hosts that heve been blocked because of password failures
608         $unblocked = 0;
609         if ($config{'blockhost_failures'}) {
610                 $i = 0;
611                 while ($i <= $#deny) {
612                         if ($blockhosttime{$deny[$i]} &&
613                             $config{'blockhost_time'} != 0 &&
614                             ($time_now - $blockhosttime{$deny[$i]}) >=
615                              $config{'blockhost_time'}) {
616                                 # the host can be unblocked now
617                                 $hostfail{$deny[$i]} = 0;
618                                 splice(@deny, $i, 1);
619                                 $unblocked = 1;
620                                 }
621                         $i++;
622                         }
623                 }
624
625         # Do the same for blocked users
626         if ($config{'blockuser_failures'}) {
627                 $i = 0;
628                 while ($i <= $#deny) {
629                         if ($blockusertime{$deny[$i]} &&
630                             $config{'blockuser_time'} != 0 &&
631                             ($time_now - $blockusertime{$deny[$i]}) >=
632                              $config{'blockuser_time'}) {
633                                 # the user can be unblocked now
634                                 $userfail{$deny[$i]} = 0;
635                                 splice(@denyusers, $i, 1);
636                                 $unblocked = 1;
637                                 }
638                         $i++;
639                         }
640                 }
641         if ($unblocked) {
642                 &write_blocked_file();
643                 }
644
645         # Check if any webmin cron jobs are ready to run
646         &execute_ready_webmin_crons();
647
648         if ($config{'session'} && (++$remove_session_count%50) == 0) {
649                 # Remove sessions with more than 7 days of inactivity,
650                 local $s;
651                 foreach $s (keys %sessiondb) {
652                         local ($user, $ltime, $lip) =
653                                 split(/\s+/, $sessiondb{$s});
654                         if ($time_now - $ltime > 7*24*60*60) {
655                                 &run_logout_script($s, $user);
656                                 &write_logout_utmp($user, $lip);
657                                 delete($sessiondb{$s});
658                                 if ($use_syslog) {
659                                         syslog("info", "%s",
660                                               "Timeout of session for $user");
661                                         }
662                                 }
663                         }
664                 }
665
666         if ($use_pam && $config{'pam_conv'}) {
667                 # Remove PAM sessions with more than 5 minutes of inactivity
668                 local $c;
669                 foreach $c (values %conversations) {
670                         if ($time_now - $c->{'time'} > 5*60) {
671                                 &end_pam_conversation($c);
672                                 if ($use_syslog) {
673                                         syslog("info", "%s", "Timeout of PAM ".
674                                                 "session for $c->{'user'}");
675                                         }
676                                 }
677                         }
678                 }
679
680         # Don't check any sockets if there is no activity
681         next if ($sel <= 0);
682
683         # Check if any of the main sockets have received a new connection
684         local $sn = 0;
685         foreach $s (@socketfhs) {
686                 if (vec($rmask, fileno($s), 1)) {
687                         # got new connection
688                         $acptaddr = accept(SOCK, $s);
689                         if (!$acptaddr) { next; }
690                         binmode(SOCK);  # turn off any Perl IO stuff
691
692                         # create pipes
693                         local ($PASSINr, $PASSINw, $PASSOUTr, $PASSOUTw);
694                         if ($need_pipes) {
695                                 ($PASSINr, $PASSINw, $PASSOUTr, $PASSOUTw) =
696                                         &allocate_pipes();
697                                 }
698
699                         # Check username of connecting user
700                         local ($peerp, $peera) = unpack_sockaddr_in($acptaddr);
701                         $localauth_user = undef;
702                         if ($config{'localauth'} && inet_ntoa($peera) eq "127.0.0.1") {
703                                 if (open(TCP, "/proc/net/tcp")) {
704                                         # Get the info direct from the kernel
705                                         while(<TCP>) {
706                                                 s/^\s+//;
707                                                 local @t = split(/[\s:]+/, $_);
708                                                 if ($t[1] eq '0100007F' &&
709                                                     $t[2] eq sprintf("%4.4X", $peerp)) {
710                                                         $localauth_user = getpwuid($t[11]);
711                                                         last;
712                                                         }
713                                                 }
714                                         close(TCP);
715                                         }
716                                 if (!$localauth_user) {
717                                         # Call lsof for the info
718                                         local $lsofpid = open(LSOF,
719                                                 "$config{'localauth'} -i TCP\@127.0.0.1:$peerp |");
720                                         while(<LSOF>) {
721                                                 if (/^(\S+)\s+(\d+)\s+(\S+)/ &&
722                                                     $2 != $$ && $2 != $lsofpid) {
723                                                         $localauth_user = $3;
724                                                         }
725                                                 }
726                                         close(LSOF);
727                                         }
728                                 }
729
730                         # Work out the hostname for this web server
731                         $host = &get_socket_name(SOCK);
732                         if (!$host) {
733                                 print STDERR "Failed to get local socket name : $!\n";
734                                 close(SOCK);
735                                 next;
736                                 }
737                         $port = $sockets[$sn]->[1];
738
739                         # fork the subprocess
740                         local $handpid;
741                         if (!($handpid = fork())) {
742                                 # setup signal handlers
743                                 $SIG{'TERM'} = 'DEFAULT';
744                                 $SIG{'PIPE'} = 'DEFAULT';
745                                 #$SIG{'CHLD'} = 'IGNORE';
746                                 $SIG{'HUP'} = 'IGNORE';
747                                 $SIG{'USR1'} = 'IGNORE';
748
749                                 # Initialize SSL for this connection
750                                 if ($use_ssl) {
751                                         $ssl_con = &ssl_connection_for_ip(SOCK);
752                                         $ssl_con || exit;
753                                         }
754
755                                 # Close the file handle for the session DBM
756                                 dbmclose(%sessiondb);
757
758                                 # close useless pipes
759                                 if ($need_pipes) {
760                                         &close_all_pipes();
761                                         close($PASSINr); close($PASSOUTw);
762                                         }
763                                 &close_all_sockets();
764                                 close(LISTEN);
765
766                                 print DEBUG
767                                   "main: Starting handle_request loop pid=$$\n";
768                                 while(&handle_request($acptaddr,
769                                                       getsockname(SOCK))) { }
770                                 print DEBUG
771                                   "main: Done handle_request loop pid=$$\n";
772                                 shutdown(SOCK, 1);
773                                 close(SOCK);
774                                 close($PASSINw); close($PASSOUTw);
775                                 exit;
776                                 }
777                         push(@childpids, $handpid);
778                         if ($need_pipes) {
779                                 close($PASSINw); close($PASSOUTr);
780                                 push(@passin, $PASSINr);
781                                 push(@passout, $PASSOUTw);
782                                 }
783                         close(SOCK);
784                         }
785                 $sn++;
786                 }
787
788         if ($config{'listen'} && vec($rmask, fileno(LISTEN), 1)) {
789                 # Got UDP packet from another webmin server
790                 local $rcvbuf;
791                 local $from = recv(LISTEN, $rcvbuf, 1024, 0);
792                 next if (!$from);
793                 local $fromip = inet_ntoa((unpack_sockaddr_in($from))[1]);
794                 local $toip = inet_ntoa((unpack_sockaddr_in(
795                                          getsockname(LISTEN)))[1]);
796                 if ((!@deny || !&ip_match($fromip, $toip, @deny)) &&
797                     (!@allow || &ip_match($fromip, $toip, @allow))) {
798                         local $listenhost = &get_socket_name(LISTEN);
799                         send(LISTEN, "$listenhost:$config{'port'}:".
800                                   ($use_ssl || $config{'inetd_ssl'} ? 1 : 0).":".
801                                   ($config{'listenhost'} ?
802                                         &get_system_hostname() : ""),
803                                   0, $from)
804                                 if ($listenhost);
805                         }
806                 }
807
808         # check for session, password-timeout and PAM messages from subprocesses
809         for($i=0; $i<@passin; $i++) {
810                 if (vec($rmask, fileno($passin[$i]), 1)) {
811                         # this sub-process is asking about a password
812                         local $infd = $passin[$i];
813                         local $outfd = $passout[$i];
814                         #local $inline = <$infd>;
815                         local $inline = &sysread_line($infd);
816                         if ($inline) {
817                                 print DEBUG "main: inline $inline";
818                                 }
819                         else {
820                                 print DEBUG "main: inline EOF\n";
821                                 }
822                         if ($inline =~ /^delay\s+(\S+)\s+(\S+)\s+(\d+)/) {
823                                 # Got a delay request from a subprocess.. for
824                                 # valid logins, there is no delay (to prevent
825                                 # denial of service attacks), but for invalid
826                                 # logins the delay increases with each failed
827                                 # attempt.
828                                 if ($3) {
829                                         # login OK.. no delay
830                                         print $outfd "0 0\n";
831                                         $wasblocked = $hostfail{$2} ||
832                                                       $userfail{$1};
833                                         $hostfail{$2} = 0;
834                                         $userfail{$1} = 0;
835                                         if ($wasblocked) {
836                                                 &write_blocked_file();
837                                                 }
838                                         }
839                                 else {
840                                         # login failed..
841                                         $hostfail{$2}++;
842                                         $userfail{$1}++;
843                                         $blocked = 0;
844
845                                         # add the host to the block list,
846                                         # if configured
847                                         if ($config{'blockhost_failures'} &&
848                                             $hostfail{$2} >=
849                                               $config{'blockhost_failures'}) {
850                                                 push(@deny, $2);
851                                                 $blockhosttime{$2} = $time_now;
852                                                 $blocked = 1;
853                                                 if ($use_syslog) {
854                                                         local $logtext = "Security alert: Host $2 blocked after $config{'blockhost_failures'} failed logins for user $1";
855                                                         syslog("crit", "%s",
856                                                                 $logtext);
857                                                         }
858                                                 }
859
860                                         # add the user to the user block list,
861                                         # if configured
862                                         if ($config{'blockuser_failures'} &&
863                                             $userfail{$1} >=
864                                               $config{'blockuser_failures'}) {
865                                                 push(@denyusers, $1);
866                                                 $blockusertime{$1} = $time_now;
867                                                 $blocked = 2;
868                                                 if ($use_syslog) {
869                                                         local $logtext = "Security alert: User $1 blocked after $config{'blockuser_failures'} failed logins";
870                                                         syslog("crit", "%s",
871                                                                 $logtext);
872                                                         }
873                                                 }
874
875                                         # Lock out the user's password, if enabled
876                                         if ($config{'blocklock'} &&
877                                             $userfail{$1} >=
878                                               $config{'blockuser_failures'}) {
879                                                 my $lk = &lock_user_password($1);
880                                                 $blocked = 2;
881                                                 if ($use_syslog) {
882                                                         local $logtext = $lk == 1 ? "Security alert: User $1 locked after $config{'blockuser_failures'} failed logins" : $lk < 0 ? "Security alert: User could not be locked" : "Security alert: User is already locked";
883                                                         syslog("crit", "%s",
884                                                                 $logtext);
885                                                         }
886                                                 }
887
888                                         # Send back a delay
889                                         $dl = $userdlay{$1} -
890                                            int(($time_now - $userlast{$1})/50);
891                                         $dl = $dl < 0 ? 0 : $dl+1;
892                                         print $outfd "$dl $blocked\n";
893                                         $userdlay{$1} = $dl;
894
895                                         # Write out blocked status file
896                                         if ($blocked) {
897                                                 &write_blocked_file();
898                                                 }
899                                         }
900                                 $userlast{$1} = $time_now;
901                                 }
902                         elsif ($inline =~ /^verify\s+(\S+)\s+(\S+)/) {
903                                 # Verifying a session ID
904                                 local $session_id = $1;
905                                 local $notimeout = $2;
906                                 local $skey = $sessiondb{$session_id} ?
907                                                 $session_id : 
908                                                 &hash_session_id($session_id);
909                                 if (!defined($sessiondb{$skey})) {
910                                         # Session doesn't exist
911                                         print $outfd "0 0\n";
912                                         }
913                                 else {
914                                         local ($user, $ltime) =
915                                           split(/\s+/, $sessiondb{$skey});
916                                         local $lot = &get_logout_time($user, $session_id);
917                                         if ($lot &&
918                                             $time_now - $ltime > $lot*60 &&
919                                             !$notimeout) {
920                                                 # Session has timed out
921                                                 print $outfd "1 ",$time_now - $ltime,"\n";
922                                                 #delete($sessiondb{$skey});
923                                                 }
924                                         else {
925                                                 # Session is OK
926                                                 print $outfd "2 $user\n";
927                                                 if ($lot &&
928                                                     $time_now - $ltime >
929                                                     ($lot*60)/2) {
930                                                         $sessiondb{$skey} = "$user $time_now";
931                                                         }
932                                                 }
933                                         }
934                                 }
935                         elsif ($inline =~ /^new\s+(\S+)\s+(\S+)\s+(\S+)/) {
936                                 # Creating a new session
937                                 local $session_id = $1;
938                                 local $user = $2;
939                                 local $ip = $3;
940                                 $sessiondb{&hash_session_id($session_id)} =
941                                         "$user $time_now $ip";
942                                 }
943                         elsif ($inline =~ /^delete\s+(\S+)/) {
944                                 # Logging out a session
945                                 local $session_id = $1;
946                                 local $skey = $sessiondb{$session_id} ?
947                                                 $session_id : 
948                                                 &hash_session_id($session_id);
949                                 local @sdb = split(/\s+/, $sessiondb{$skey});
950                                 print $outfd $sdb[0],"\n";
951                                 delete($sessiondb{$skey});
952                                 }
953                         elsif ($inline =~ /^pamstart\s+(\S+)\s+(\S+)\s+(.*)/) {
954                                 # Starting a new PAM conversation
955                                 local ($cid, $host, $user) = ($1, $2, $3);
956
957                                 # Does this user even need PAM?
958                                 local ($realuser, $canlogin) =
959                                         &can_user_login($user, undef, $host);
960                                 local $conv;
961                                 if ($canlogin == 0) {
962                                         # Cannot even login!
963                                         print $outfd "0 Invalid username\n";
964                                         }
965                                 elsif ($canlogin != 2) {
966                                         # Not using PAM .. so just ask for
967                                         # the password.
968                                         $conv = { 'user' => $realuser,
969                                                   'host' => $host,
970                                                   'step' => 0,
971                                                   'cid' => $cid,
972                                                   'time' => time() };
973                                         print $outfd "3 Password\n";
974                                         }
975                                 else {
976                                         # Start the PAM conversation
977                                         # sub-process, and get a question
978                                         $conv = { 'user' => $realuser,
979                                                   'host' => $host,
980                                                   'cid' => $cid,
981                                                   'time' => time() };
982                                         local ($PAMINr, $PAMINw, $PAMOUTr,
983                                                 $PAMOUTw) = &allocate_pipes();
984                                         local $pampid = fork();
985                                         if (!$pampid) {
986                                                 close($PAMOUTr); close($PAMINw);
987                                                 &pam_conversation_process(
988                                                         $realuser,
989                                                         $PAMOUTw, $PAMINr);
990                                                 }
991                                         close($PAMOUTw); close($PAMINr);
992                                         $conv->{'pid'} = $pampid;
993                                         $conv->{'PAMOUTr'} = $PAMOUTr;
994                                         $conv->{'PAMINw'} = $PAMINw;
995                                         push(@childpids, $pampid);
996
997                                         # Get the first PAM question
998                                         local $pok = &recv_pam_question(
999                                                 $conv, $outfd);
1000                                         if (!$pok) {
1001                                                 &end_pam_conversation($conv);
1002                                                 }
1003                                         }
1004
1005                                 $conversations{$cid} = $conv if ($conv);
1006                                 }
1007                         elsif ($inline =~ /^pamanswer\s+(\S+)\s+(.*)/) {
1008                                 # A response to a PAM question
1009                                 local ($cid, $answer) = ($1, $2);
1010                                 local $conv = $conversations{$cid};
1011                                 if (!$conv) {
1012                                         # No such conversation?
1013                                         print $outfd "0 Bad login session\n";
1014                                         }
1015                                 elsif ($conv->{'pid'}) {
1016                                         # Send the PAM response and get
1017                                         # the next question
1018                                         &send_pam_answer($conv, $answer);
1019                                         local $pok = &recv_pam_question($conv, $outfd);
1020                                         if (!$pok) {
1021                                                 &end_pam_conversation($conv);
1022                                                 }
1023                                         }
1024                                 else {
1025                                         # This must be the password .. try it
1026                                         # and send back the results
1027                                         local ($vu, $expired, $nonexist) =
1028                                                 &validate_user($conv->{'user'},
1029                                                                $answer,
1030                                                                $conf->{'host'});
1031                                         local $ok = $vu ? 1 : 0;
1032                                         print $outfd "2 $conv->{'user'} $ok $expired $notexist\n";
1033                                         &end_pam_conversation($conv);
1034                                         }
1035                                 }
1036                         elsif ($inline =~ /^writesudo\s+(\S+)\s+(\d+)/) {
1037                                 # Store the fact that some user can sudo to root
1038                                 local ($user, $ok) = ($1, $2);
1039                                 $sudocache{$user} = $ok." ".time();
1040                                 }
1041                         elsif ($inline =~ /^readsudo\s+(\S+)/) {
1042                                 # Query the user sudo cache (valid for 1 minute)
1043                                 local $user = $1;
1044                                 local ($ok, $last) =
1045                                         split(/\s+/, $sudocache{$user});
1046                                 if ($last < time()-60) {
1047                                         # Cache too old
1048                                         print $outfd "2\n";
1049                                         }
1050                                 else {
1051                                         # Tell client OK or not
1052                                         print $outfd "$ok\n";
1053                                         }
1054                                 }
1055                         elsif ($inline =~ /\S/) {
1056                                 # Unknown line from pipe?
1057                                 print DEBUG "main: Unknown line from pipe $inline\n";
1058                                 print STDERR "Unknown line from pipe $inline\n";
1059                                 }
1060                         else {
1061                                 # close pipe
1062                                 close($infd); close($outfd);
1063                                 $passin[$i] = $passout[$i] = undef;
1064                                 }
1065                         }
1066                 }
1067         @passin = grep { defined($_) } @passin;
1068         @passout = grep { defined($_) } @passout;
1069         }
1070
1071 # handle_request(remoteaddress, localaddress)
1072 # Where the real work is done
1073 sub handle_request
1074 {
1075 $acptip = inet_ntoa((unpack_sockaddr_in($_[0]))[1]);
1076 $localip = $_[1] ? inet_ntoa((unpack_sockaddr_in($_[1]))[1]) : undef;
1077 print DEBUG "handle_request: from $acptip to $localip\n";
1078 if ($config{'loghost'}) {
1079         $acpthost = gethostbyaddr(inet_aton($acptip), AF_INET);
1080         $acpthost = $acptip if (!$acpthost);
1081         }
1082 else {
1083         $acpthost = $acptip;
1084         }
1085 $datestr = &http_date(time());
1086 $ok_code = 200;
1087 $ok_message = "Document follows";
1088 $logged_code = undef;
1089 $reqline = $request_uri = $page = undef;
1090 $authuser = undef;
1091 $validated = undef;
1092
1093 # check address against access list
1094 if (@deny && &ip_match($acptip, $localip, @deny) ||
1095     @allow && !&ip_match($acptip, $localip, @allow)) {
1096         &http_error(403, "Access denied for $acptip");
1097         return 0;
1098         }
1099
1100 if ($use_libwrap) {
1101         # Check address with TCP-wrappers
1102         if (!hosts_ctl($config{'pam'}, STRING_UNKNOWN,
1103                        $acptip, STRING_UNKNOWN)) {
1104                 &http_error(403, "Access denied for $acptip by TCP wrappers");
1105                 return 0;
1106                 }
1107         }
1108 print DEBUG "handle_request: passed IP checks\n";
1109
1110 # Compute a timeout for the start of headers, based on the number of
1111 # child processes. As this increases, we use a shorter timeout to avoid
1112 # an attacker overloading the system.
1113 local $header_timeout = 60 + ($config{'maxconns'} - @childpids) * 10;
1114
1115 # Wait at most 60 secs for start of headers for initial requests, or
1116 # 10 minutes for kept-alive connections
1117 local $rmask;
1118 vec($rmask, fileno(SOCK), 1) = 1;
1119 local $to = $checked_timeout ? 10*60 : $header_timeout;
1120 local $sel = select($rmask, undef, undef, $to);
1121 if (!$sel) {
1122         if ($checked_timeout) {
1123                 print DEBUG "handle_request: exiting due to timeout of $to\n";
1124                 exit;
1125                 }
1126         else {
1127                 &http_error(400, "Timeout",
1128                             "Waited for that $to seconds for start of headers");
1129                 }
1130         }
1131 $checked_timeout++;
1132 print DEBUG "handle_request: passed timeout check\n";
1133
1134 # Read the HTTP request and headers
1135 local $origreqline = &read_line();
1136 ($reqline = $origreqline) =~ s/\r|\n//g;
1137 $method = $page = $request_uri = undef;
1138 print DEBUG "handle_request reqline=$reqline\n";
1139 if (!$reqline && (!$use_ssl || $checked_timeout > 1)) {
1140         # An empty request .. just close the connection
1141         print DEBUG "handle_request: rejecting empty request\n";
1142         return 0;
1143         }
1144 elsif ($reqline !~ /^(\S+)\s+(.*)\s+HTTP\/1\..$/) {
1145         print DEBUG "handle_request: invalid reqline=$reqline\n";
1146         if ($use_ssl) {
1147                 # This could be an http request when it should be https
1148                 $use_ssl = 0;
1149                 local $url = $config{'musthost'} ?
1150                                 "https://$config{'musthost'}:$port/" :
1151                                 "https://$host:$port/";
1152                 if ($config{'ssl_redirect'}) {
1153                         # Just re-direct to the correct URL
1154                         sleep(1);       # Give browser a change to finish
1155                                         # sending its request
1156                         &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
1157                         &write_data("Date: $datestr\r\n");
1158                         &write_data("Server: $config{'server'}\r\n");
1159                         &write_data("Location: $url\r\n");
1160                         &write_keep_alive(0);
1161                         &write_data("\r\n");
1162                         return 0;
1163                         }
1164                 else {
1165                         # Tell user the correct URL
1166                         &http_error(200, "Bad Request", "This web server is running in SSL mode. Try the URL <a href='$url'>$url</a> instead.<br>");
1167                         }
1168                 }
1169         elsif (ord(substr($reqline, 0, 1)) == 128 && !$use_ssl) {
1170                 # This could be an https request when it should be http ..
1171                 # need to fake a HTTP response
1172                 eval <<'EOF';
1173                         use Net::SSLeay;
1174                         eval "Net::SSLeay::SSLeay_add_ssl_algorithms()";
1175                         eval "Net::SSLeay::load_error_strings()";
1176                         $ssl_ctx = Net::SSLeay::CTX_new();
1177                         Net::SSLeay::CTX_use_RSAPrivateKey_file(
1178                                 $ssl_ctx, $config{'keyfile'},
1179                                 &Net::SSLeay::FILETYPE_PEM);
1180                         Net::SSLeay::CTX_use_certificate_file(
1181                                 $ssl_ctx,
1182                                 $config{'certfile'} || $config{'keyfile'},
1183                                 &Net::SSLeay::FILETYPE_PEM);
1184                         $ssl_con = Net::SSLeay::new($ssl_ctx);
1185                         pipe(SSLr, SSLw);
1186                         if (!fork()) {
1187                                 close(SSLr);
1188                                 select(SSLw); $| = 1; select(STDOUT);
1189                                 print SSLw $origreqline;
1190                                 local $buf;
1191                                 while(sysread(SOCK, $buf, 1) > 0) {
1192                                         print SSLw $buf;
1193                                         }
1194                                 close(SOCK);
1195                                 exit;
1196                                 }
1197                         close(SSLw);
1198                         Net::SSLeay::set_wfd($ssl_con, fileno(SOCK));
1199                         Net::SSLeay::set_rfd($ssl_con, fileno(SSLr));
1200                         Net::SSLeay::accept($ssl_con) || die "accept() failed";
1201                         $use_ssl = 1;
1202                         local $url = $config{'musthost'} ?
1203                                         "https://$config{'musthost'}:$port/" :
1204                                         "https://$host:$port/";
1205                         if ($config{'ssl_redirect'}) {
1206                                 # Just re-direct to the correct URL
1207                                 sleep(1);       # Give browser a change to
1208                                                 # finish sending its request
1209                                 &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
1210                                 &write_data("Date: $datestr\r\n");
1211                                 &write_data("Server: $config{'server'}\r\n");
1212                                 &write_data("Location: $url\r\n");
1213                                 &write_keep_alive(0);
1214                                 &write_data("\r\n");
1215                                 return 0;
1216                                 }
1217                         else {
1218                                 # Tell user the correct URL
1219                                 &http_error(200, "Bad Request", "This web server is not running in SSL mode. Try the URL <a href='$url'>$url</a> instead.<br>");
1220                                 }
1221 EOF
1222                 if ($@) {
1223                         &http_error(400, "Bad Request");
1224                         }
1225                 }
1226         else {
1227                 &http_error(400, "Bad Request");
1228                 }
1229         }
1230 $method = $1;
1231 $request_uri = $page = $2;
1232 %header = ();
1233 local $lastheader;
1234 while(1) {
1235         ($headline = &read_line()) =~ s/\r|\n//g;
1236         last if ($headline eq "");
1237         print DEBUG "handle_request: got headline $headline\n";
1238         if ($headline =~ /^(\S+):\s*(.*)$/) {
1239                 $header{$lastheader = lc($1)} = $2;
1240                 }
1241         elsif ($headline =~ /^\s+(.*)$/) {
1242                 $header{$lastheader} .= $headline;
1243                 }
1244         else {
1245                 &http_error(400, "Bad Header $headline");
1246                 }
1247         }
1248 if (defined($header{'host'})) {
1249         if ($header{'host'} =~ /^([^:]+):([0-9]+)$/) {
1250                 ($host, $port) = ($1, $2);
1251                 }
1252         else {
1253                 $host = $header{'host'};
1254                 }
1255         if ($config{'musthost'} && $host ne $config{'musthost'}) {
1256                 # Disallowed hostname used
1257                 &http_error(400, "Invalid HTTP hostname");
1258                 }
1259         }
1260 undef(%in);
1261 if ($page =~ /^([^\?]+)\?(.*)$/) {
1262         # There is some query string information
1263         $page = $1;
1264         $querystring = $2;
1265         print DEBUG "handle_request: querystring=$querystring\n";
1266         if ($querystring !~ /=/) {
1267                 $queryargs = $querystring;
1268                 $queryargs =~ s/\+/ /g;
1269                 $queryargs =~ s/%(..)/pack("c",hex($1))/ge;
1270                 $querystring = "";
1271                 }
1272         else {
1273                 # Parse query-string parameters
1274                 local @in = split(/\&/, $querystring);
1275                 foreach $i (@in) {
1276                         local ($k, $v) = split(/=/, $i, 2);
1277                         $k =~ s/\+/ /g; $k =~ s/%(..)/pack("c",hex($1))/ge;
1278                         $v =~ s/\+/ /g; $v =~ s/%(..)/pack("c",hex($1))/ge;
1279                         $in{$k} = $v;
1280                         }
1281                 }
1282         }
1283 $posted_data = undef;
1284 if ($method eq 'POST' &&
1285     $header{'content-type'} eq 'application/x-www-form-urlencoded') {
1286         # Read in posted query string information, up the configured maximum
1287         # post request length
1288         $clen = $header{"content-length"};
1289         $clen_read = $clen > $config{'max_post'} ? $config{'max_post'} : $clen;
1290         while(length($posted_data) < $clen_read) {
1291                 $buf = &read_data($clen_read - length($posted_data));
1292                 if (!length($buf)) {
1293                         &http_error(500, "Failed to read POST request");
1294                         }
1295                 chomp($posted_data);
1296                 $posted_data =~ s/\015$//mg;
1297                 $posted_data .= $buf;
1298                 }
1299         print DEBUG "clen_read=$clen_read clen=$clen posted_data=",length($posted_data),"\n";
1300         if ($clen_read != $clen && length($posted_data) > $clen) {
1301                 # If the client sent more data than we asked for, chop the
1302                 # rest off
1303                 $posted_data = substr($posted_data, 0, $clen);
1304                 }
1305         if (length($posted_data) > $clen) {
1306                 # When the client sent too much, delay so that it gets headers
1307                 sleep(3);
1308                 }
1309         if ($header{'user-agent'} =~ /MSIE/ &&
1310             $header{'user-agent'} !~ /Opera/i) {
1311                 # MSIE includes an extra newline in the data
1312                 $posted_data =~ s/\r|\n//g;
1313                 }
1314         local @in = split(/\&/, $posted_data);
1315         foreach $i (@in) {
1316                 local ($k, $v) = split(/=/, $i, 2);
1317                 #$v =~ s/\r|\n//g;
1318                 $k =~ s/\+/ /g; $k =~ s/%(..)/pack("c",hex($1))/ge;
1319                 $v =~ s/\+/ /g; $v =~ s/%(..)/pack("c",hex($1))/ge;
1320                 $in{$k} = $v;
1321                 }
1322         print DEBUG "handle_request: posted_data=$posted_data\n";
1323         }
1324
1325 # replace %XX sequences in page
1326 $page =~ s/%(..)/pack("c",hex($1))/ge;
1327
1328 # Check if the browser's user agent indicates a mobile device
1329 $mobile_device = &is_mobile_useragent($header{'user-agent'});
1330
1331 # Check if Host: header is for a mobile URL
1332 foreach my $m (@mobile_prefixes) {
1333         if ($header{'host'} =~ /^\Q$m\E/i) {
1334                 $mobile_device = 1;
1335                 }
1336         }
1337
1338 # check for the logout flag file, and if existant deny authentication
1339 if ($config{'logout'} && -r $config{'logout'}.$in{'miniserv_logout_id'}) {
1340         print DEBUG "handle_request: logout flag set\n";
1341         $deny_authentication++;
1342         open(LOGOUT, $config{'logout'}.$in{'miniserv_logout_id'});
1343         chop($count = <LOGOUT>);
1344         close(LOGOUT);
1345         $count--;
1346         if ($count > 0) {
1347                 open(LOGOUT, ">$config{'logout'}$in{'miniserv_logout_id'}");
1348                 print LOGOUT "$count\n";
1349                 close(LOGOUT);
1350                 }
1351         else {
1352                 unlink($config{'logout'}.$in{'miniserv_logout_id'});
1353                 }
1354         }
1355
1356 # check for any redirect for the requested URL
1357 foreach my $pfx (@strip_prefix) {
1358         my $l = length($pfx);
1359         if(length($page) >= $l &&
1360            substr($page,0,$l) eq $pfx) {
1361                 $page=substr($page,$l);
1362                 last;
1363                 }
1364         }
1365 $simple = &simplify_path($page, $bogus);
1366 $rpath = $simple;
1367 $rpath .= "&".$querystring if (defined($querystring));
1368 $redir = $redirect{$rpath};
1369 if (defined($redir)) {
1370         print DEBUG "handle_request: redir=$redir\n";
1371         &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
1372         &write_data("Date: $datestr\r\n");
1373         &write_data("Server: $config{'server'}\r\n");
1374         local $ssl = $use_ssl || $config{'inetd_ssl'};
1375         $portstr = $port == 80 && !$ssl ? "" :
1376                    $port == 443 && $ssl ? "" : ":$port";
1377         $prot = $ssl ? "https" : "http";
1378         &write_data("Location: $prot://$host$portstr$redir\r\n");
1379         &write_keep_alive(0);
1380         &write_data("\r\n");
1381         return 0;
1382         }
1383
1384 # Check for a DAV request
1385 $davpath = undef;
1386 foreach my $d (@davpaths) {
1387         if ($simple eq $d || $simple =~ /^\Q$d\E\//) {
1388                 $davpath = $d;
1389                 last;
1390                 }
1391         }
1392 if (!$davpath && ($method eq "SEARCH" || $method eq "PUT")) {
1393         &http_error(400, "Bad Request method $method");
1394         }
1395
1396 # Check for password if needed
1397 if ($config{'userfile'}) {
1398         print DEBUG "handle_request: Need authentication\n";
1399         $validated = 0;
1400         $blocked = 0;
1401
1402         # Session authentication is never used for connections by
1403         # another webmin server, or for specified pages, or for DAV, or XMLRPC,
1404         # or mobile browsers if requested.
1405         if ($header{'user-agent'} =~ /webmin/i ||
1406             $header{'user-agent'} =~ /$config{'agents_nosession'}/i ||
1407             $sessiononly{$simple} || $davpath ||
1408             $simple eq "/xmlrpc.cgi" ||
1409             $acptip eq $config{'host_nosession'} ||
1410             $mobile_device && $config{'mobile_nosession'}) {
1411                 print DEBUG "handle_request: Forcing HTTP authentication\n";
1412                 $config{'session'} = 0;
1413                 }
1414
1415         # Check for SSL authentication
1416         if ($use_ssl && $verified_client) {
1417                 $peername = Net::SSLeay::X509_NAME_oneline(
1418                                 Net::SSLeay::X509_get_subject_name(
1419                                         Net::SSLeay::get_peer_certificate(
1420                                                 $ssl_con)));
1421                 $u = &find_user_by_cert($peername);
1422                 if ($u) {
1423                         $authuser = $u;
1424                         $validated = 2;
1425                         }
1426                 if ($use_syslog && !$validated) {
1427                         syslog("crit", "%s",
1428                                "Unknown SSL certificate $peername");
1429                         }
1430                 }
1431
1432         if (!$validated && !$deny_authentication) {
1433                 # check for IP-based authentication
1434                 local $a;
1435                 foreach $a (keys %ipaccess) {
1436                         if ($acptip eq $a) {
1437                                 # It does! Auth as the user
1438                                 $validated = 3;
1439                                 $baseauthuser = $authuser =
1440                                         $ipaccess{$a};
1441                                 }
1442                         }
1443                 }
1444
1445         # Check for normal HTTP authentication
1446         if (!$validated && !$deny_authentication && !$config{'session'} &&
1447             $header{authorization} =~ /^basic\s+(\S+)$/i) {
1448                 # authorization given..
1449                 ($authuser, $authpass) = split(/:/, &b64decode($1), 2);
1450                 print DEBUG "handle_request: doing basic auth check authuser=$authuser authpass=$authpass\n";
1451                 local ($vu, $expired, $nonexist) =
1452                         &validate_user($authuser, $authpass, $host);
1453                 print DEBUG "handle_request: vu=$vu expired=$expired nonexist=$nonexist\n";
1454                 if ($vu && (!$expired || $config{'passwd_mode'} == 1)) {
1455                         $authuser = $vu;
1456                         $validated = 1;
1457                         }
1458                 else {
1459                         $validated = 0;
1460                         }
1461                 if ($use_syslog && !$validated) {
1462                         syslog("crit", "%s",
1463                                ($nonexist ? "Non-existent" :
1464                                 $expired ? "Expired" : "Invalid").
1465                                " login as $authuser from $acpthost");
1466                         }
1467                 if ($authuser =~ /\r|\n|\s/) {
1468                         &http_error(500, "Invalid username",
1469                                     "Username contains invalid characters");
1470                         }
1471                 if ($authpass =~ /\r|\n/) {
1472                         &http_error(500, "Invalid password",
1473                                     "Password contains invalid characters");
1474                         }
1475
1476                 if ($config{'passdelay'} && !$config{'inetd'} && $authuser) {
1477                         # check with main process for delay
1478                         print DEBUG "handle_request: about to ask for password delay\n";
1479                         print $PASSINw "delay $authuser $acptip $validated\n";
1480                         <$PASSOUTr> =~ /(\d+) (\d+)/;
1481                         $blocked = $2;
1482                         print DEBUG "handle_request: password delay $1 $2\n";
1483                         sleep($1);
1484                         }
1485                 }
1486
1487         # Check for a visit to the special session login page
1488         if ($config{'session'} && !$deny_authentication &&
1489             $page eq $config{'session_login'}) {
1490                 if ($in{'logout'} && $header{'cookie'} =~ /(^|\s)$sidname=([a-f0-9]+)/) {
1491                         # Logout clicked .. remove the session
1492                         local $sid = $2;
1493                         print $PASSINw "delete $sid\n";
1494                         local $louser = <$PASSOUTr>;
1495                         chop($louser);
1496                         $logout = 1;
1497                         $already_session_id = undef;
1498                         $authuser = $baseauthuser = undef;
1499                         if ($louser) {
1500                                 if ($use_syslog) {
1501                                         syslog("info", "%s", "Logout by $louser from $acpthost");
1502                                         }
1503                                 &run_logout_script($louser, $sid,
1504                                                    $acptip, $localip);
1505                                 &write_logout_utmp($louser, $actphost);
1506                                 }
1507                         }
1508                 else {
1509                         # Validate the user
1510                         if ($in{'user'} =~ /\r|\n|\s/) {
1511                                 &http_error(500, "Invalid username",
1512                                     "Username contains invalid characters");
1513                                 }
1514                         if ($in{'pass'} =~ /\r|\n/) {
1515                                 &http_error(500, "Invalid password",
1516                                     "Password contains invalid characters");
1517                                 }
1518
1519                         local ($vu, $expired, $nonexist) =
1520                                 &validate_user($in{'user'}, $in{'pass'}, $host);
1521                         local $hrv = &handle_login(
1522                                         $vu || $in{'user'}, $vu ? 1 : 0,
1523                                         $expired, $nonexist, $in{'pass'},
1524                                         $in{'notestingcookie'});
1525                         return $hrv if (defined($hrv));
1526                         }
1527                 }
1528
1529         # Check for a visit to the special PAM login page
1530         if ($config{'session'} && !$deny_authentication &&
1531             $use_pam && $config{'pam_conv'} && $page eq $config{'pam_login'} &&
1532             !$in{'restart'}) {
1533                 # A question has been entered .. submit it to the main process
1534                 print DEBUG "handle_request: Got call to $page ($in{'cid'})\n";
1535                 print DEBUG "handle_request: For PAM, authuser=$authuser\n";
1536                 if ($in{'answer'} =~ /\r|\n/ || $in{'cid'} =~ /\r|\n|\s/) {
1537                         &http_error(500, "Invalid response",
1538                             "Response contains invalid characters");
1539                         }
1540
1541                 if (!$in{'cid'}) {
1542                         # Start of a new conversation - answer must be username
1543                         $cid = &generate_random_id($in{'answer'});
1544                         print $PASSINw "pamstart $cid $host $in{'answer'}\n";
1545                         }
1546                 else {
1547                         # A response to a previous question
1548                         $cid = $in{'cid'};
1549                         print $PASSINw "pamanswer $cid $in{'answer'}\n";
1550                         }
1551
1552                 # Read back the response, and the next question (if any)
1553                 local $line = <$PASSOUTr>;
1554                 $line =~ s/\r|\n//g;
1555                 local ($rv, $question) = split(/\s+/, $line, 2);
1556                 if ($rv == 0) {
1557                         # Cannot login!
1558                         local $hrv = &handle_login(
1559                                 !$in{'cid'} && $in{'answer'} ? $in{'answer'}
1560                                                              : "unknown",
1561                                 0, 0, 1, undef);
1562                         return $hrv if (defined($hrv));
1563                         }
1564                 elsif ($rv == 1 || $rv == 3) {
1565                         # Another question .. force use of PAM CGI
1566                         $validated = 1;
1567                         $method = "GET";
1568                         $querystring .= "&cid=$cid&question=".
1569                                         &urlize($question);
1570                         $querystring .= "&password=1" if ($rv == 3);
1571                         $queryargs = "";
1572                         $page = $config{'pam_login'};
1573                         $miniserv_internal = 1;
1574                         $logged_code = 401;
1575                         }
1576                 elsif ($rv == 2) {
1577                         # Got back a final ok or failure
1578                         local ($user, $ok, $expired, $nonexist) =
1579                                 split(/\s+/, $question);
1580                         local $hrv = &handle_login(
1581                                 $user, $ok, $expired, $nonexist, undef,
1582                                 $in{'notestingcookie'});
1583                         return $hrv if (defined($hrv));
1584                         }
1585                 elsif ($rv == 4) {
1586                         # A message from PAM .. tell the user
1587                         $validated = 1;
1588                         $method = "GET";
1589                         $querystring .= "&cid=$cid&message=".
1590                                         &urlize($question);
1591                         $queryargs = "";
1592                         $page = $config{'pam_login'};
1593                         $miniserv_internal = 1;
1594                         $logged_code = 401;
1595                         }
1596                 }
1597
1598         # Check for a visit to the special password change page
1599         if ($config{'session'} && !$deny_authentication &&
1600             $page eq $config{'password_change'} && !$validated) {
1601                 # Just let this slide ..
1602                 $validated = 1;
1603                 $miniserv_internal = 3;
1604                 }
1605
1606         # Check for an existing session
1607         if ($config{'session'} && !$validated) {
1608                 if ($already_session_id) {
1609                         $session_id = $already_session_id;
1610                         $authuser = $already_authuser;
1611                         $validated = 1;
1612                         }
1613                 elsif (!$deny_authentication &&
1614                        $header{'cookie'} =~ /(^|\s)$sidname=([a-f0-9]+)/) {
1615                         # Try all session cookies
1616                         local $cookie = $header{'cookie'};
1617                         while($cookie =~ s/(^|\s)$sidname=([a-f0-9]+)//) {
1618                                 $session_id = $2;
1619                                 local $notimeout =
1620                                         $in{'webmin_notimeout'} ? 1 : 0;
1621                                 print $PASSINw "verify $session_id $notimeout\n";
1622                                 <$PASSOUTr> =~ /(\d+)\s+(\S+)/;
1623                                 if ($1 == 2) {
1624                                         # Valid session continuation
1625                                         $validated = 1;
1626                                         $authuser = $2;
1627                                         $already_authuser = $authuser;
1628                                         $timed_out = undef;
1629                                         last;
1630                                         }
1631                                 elsif ($1 == 1) {
1632                                         # Session timed out
1633                                         $timed_out = $2;
1634                                         }
1635                                 else {
1636                                         # Invalid session ID .. don't set
1637                                         # verified flag
1638                                         }
1639                                 }
1640                         }
1641                 }
1642
1643         # Check for local authentication
1644         if ($localauth_user && !$header{'x-forwarded-for'} && !$header{'via'}) {
1645                 my $luser = &get_user_details($localauth_user);
1646                 if ($luser) {
1647                         # Local user exists in webmin users file
1648                         $validated = 1;
1649                         $authuser = $localauth_user;
1650                         }
1651                 else {
1652                         # Check if local user is allowed by unixauth
1653                         local @can = &can_user_login($localauth_user,
1654                                                      undef, $host);
1655                         if ($can[0]) {
1656                                 $validated = 2;
1657                                 $authuser = $localauth_user;
1658                                 }
1659                         else {
1660                                 $localauth_user = undef;
1661                                 }
1662                         }
1663                 }
1664
1665         if (!$validated) {
1666                 # Check if this path allows anonymous access
1667                 local $a;
1668                 foreach $a (keys %anonymous) {
1669                         if (substr($simple, 0, length($a)) eq $a) {
1670                                 # It does! Auth as the user, if IP access
1671                                 # control allows him.
1672                                 if (&check_user_ip($anonymous{$a}) &&
1673                                     &check_user_time($anonymous{$a})) {
1674                                         $validated = 3;
1675                                         $baseauthuser = $authuser =
1676                                                 $anonymous{$a};
1677                                         }
1678                                 }
1679                         }
1680                 }
1681
1682         if (!$validated) {
1683                 # Check if this path allows unauthenticated access
1684                 local ($u, $unauth);
1685                 foreach $u (@unauth) {
1686                         $unauth++ if ($simple =~ /$u/);
1687                         }
1688                 if (!$bogus && $unauth) {
1689                         # Unauthenticated directory or file request - approve it
1690                         $validated = 4;
1691                         $baseauthuser = $authuser = undef;
1692                         }
1693                 }
1694
1695         if (!$validated) {
1696                 if ($blocked == 0) {
1697                         # No password given.. ask
1698                         if ($config{'pam_conv'} && $use_pam) {
1699                                 # Force CGI for PAM question, starting with
1700                                 # the username which is always needed
1701                                 $validated = 1;
1702                                 $method = "GET";
1703                                 $querystring .= "&initial=1&question=".
1704                                                 &urlize("Username");
1705                                 $querystring .= "&failed=$failed_user" if ($failed_user);
1706                                 $querystring .= "&timed_out=$timed_out" if ($timed_out);
1707                                 $queryargs = "";
1708                                 $page = $config{'pam_login'};
1709                                 $miniserv_internal = 1;
1710                                 $logged_code = 401;
1711                                 }
1712                         elsif ($config{'session'}) {
1713                                 # Force CGI for session login
1714                                 $validated = 1;
1715                                 if ($logout) {
1716                                         $querystring .= "&logout=1&page=/";
1717                                         }
1718                                 else {
1719                                         # Re-direct to current module only
1720                                         local $rpage = $request_uri;
1721                                         if (!$config{'loginkeeppage'}) {
1722                                                 $rpage =~ s/\?.*$//;
1723                                                 $rpage =~ s/[^\/]+$//
1724                                                 }
1725                                         $querystring = "page=".&urlize($rpage);
1726                                         }
1727                                 $method = "GET";
1728                                 $querystring .= "&failed=$failed_user" if ($failed_user);
1729                                 $querystring .= "&timed_out=$timed_out" if ($timed_out);
1730                                 $queryargs = "";
1731                                 $page = $config{'session_login'};
1732                                 $miniserv_internal = 1;
1733                                 $logged_code = 401;
1734                                 }
1735                         else {
1736                                 # Ask for login with HTTP authentication
1737                                 &write_data("HTTP/1.0 401 Unauthorized\r\n");
1738                                 &write_data("Date: $datestr\r\n");
1739                                 &write_data("Server: $config{'server'}\r\n");
1740                                 &write_data("WWW-authenticate: Basic ".
1741                                            "realm=\"$config{'realm'}\"\r\n");
1742                                 &write_keep_alive(0);
1743                                 &write_data("Content-type: text/html\r\n");
1744                                 &write_data("\r\n");
1745                                 &reset_byte_count();
1746                                 &write_data("<html>\n");
1747                                 &write_data("<head><title>Unauthorized</title></head>\n");
1748                                 &write_data("<body><h1>Unauthorized</h1>\n");
1749                                 &write_data("A password is required to access this\n");
1750                                 &write_data("web server. Please try again. <p>\n");
1751                                 &write_data("</body></html>\n");
1752                                 &log_request($acpthost, undef, $reqline, 401, &byte_count());
1753                                 return 0;
1754                                 }
1755                         }
1756                 elsif ($blocked == 1) {
1757                         # when the host has been blocked, give it an error
1758                         &http_error(403, "Access denied for $acptip. The host ".
1759                                          "has been blocked because of too ".
1760                                          "many authentication failures.");
1761                         }
1762                 elsif ($blocked == 2) {
1763                         # when the user has been blocked, give it an error
1764                         &http_error(403, "Access denied. The user ".
1765                                          "has been blocked because of too ".
1766                                          "many authentication failures.");
1767                         }
1768                 }
1769         else {
1770                 # Get the real Webmin username
1771                 local @can = &can_user_login($authuser, undef, $host);
1772                 $baseauthuser = $can[3] || $authuser;
1773
1774                 if ($config{'remoteuser'} && !$< && $validated) {
1775                         # Switch to the UID of the remote user (if he exists)
1776                         local @u = getpwnam($authuser);
1777                         if (@u && $< != $u[2]) {
1778                                 $( = $u[3]; $) = "$u[3] $u[3]";
1779                                 ($>, $<) = ($u[2], $u[2]);
1780                                 }
1781                         else {
1782                                 &http_error(500, "Unix user $authuser does not exist");
1783                                 return 0;
1784                                 }
1785                         }
1786                 }
1787
1788         # Check per-user IP access control
1789         if (!&check_user_ip($baseauthuser)) {
1790                 &http_error(403, "Access denied for $acptip for $baseauthuser");
1791                 return 0;
1792                 }
1793
1794         # Check per-user allowed times
1795         if (!&check_user_time($baseauthuser)) {
1796                 &http_error(403, "Access denied at the current time");
1797                 return 0;
1798                 }
1799         }
1800 $uinfo = &get_user_details($baseauthuser);
1801
1802 # Validate the path, and convert to canonical form
1803 rerun:
1804 $simple = &simplify_path($page, $bogus);
1805 print DEBUG "handle_request: page=$page simple=$simple\n";
1806 if ($bogus) {
1807         &http_error(400, "Invalid path");
1808         }
1809
1810 # Check for a DAV request
1811 if ($davpath) {
1812         return &handle_dav_request($davpath);
1813         }
1814
1815 # Work out the active theme(s)
1816 local $preroots = $mobile_device && defined($config{'mobile_preroot'}) ?
1817                         $config{'mobile_preroot'} :
1818                  $authuser && defined($config{'preroot_'.$authuser}) ?
1819                         $config{'preroot_'.$authuser} :
1820                  $uinfo && defined($uinfo->{'preroot'}) ?
1821                         $uinfo->{'preroot'} :
1822                         $config{'preroot'};
1823 local @preroots = reverse(split(/\s+/, $preroots));
1824
1825 # Canonicalize the directories
1826 foreach my $preroot (@preroots) {
1827         # Always under the current webmin root
1828         $preroot =~ s/^.*\///g;
1829         $preroot = $roots[0].'/'.$preroot;
1830         }
1831
1832 # Look in the theme root directories first
1833 local ($full, @stfull);
1834 $foundroot = undef;
1835 foreach my $preroot (@preroots) {
1836         $is_directory = 1;
1837         $sofar = "";
1838         $full = $preroot.$sofar;
1839         $scriptname = $simple;
1840         foreach $b (split(/\//, $simple)) {
1841                 if ($b ne "") { $sofar .= "/$b"; }
1842                 $full = $preroot.$sofar;
1843                 @stfull = stat($full);
1844                 if (!@stfull) { undef($full); last; }
1845
1846                 # Check if this is a directory
1847                 if (-d _) {
1848                         # It is.. go on parsing
1849                         $is_directory = 1;
1850                         next;
1851                         }
1852                 else {
1853                         $is_directory = 0;
1854                         }
1855
1856                 # Check if this is a CGI program
1857                 if (&get_type($full) eq "internal/cgi") {
1858                         $pathinfo = substr($simple, length($sofar));
1859                         $pathinfo .= "/" if ($page =~ /\/$/);
1860                         $scriptname = $sofar;
1861                         last;
1862                         }
1863                 }
1864
1865         # Don't stop at a directory unless this is the last theme, which
1866         # is the 'real' one that provides the .cgi scripts
1867         if ($is_directory && $preroot ne $preroots[$#preroots]) {
1868                 next;
1869                 }
1870
1871         if ($full) {
1872                 # Found it!
1873                 if ($sofar eq '') {
1874                         $cgi_pwd = $roots[0];
1875                         }
1876                 elsif ($is_directory) {
1877                         $cgi_pwd = "$roots[0]$sofar";
1878                         }
1879                 else {
1880                         "$roots[0]$sofar" =~ /^(.*\/)[^\/]+$/;
1881                         $cgi_pwd = $1;
1882                         }
1883                 $foundroot = $preroot;
1884                 if ($is_directory) {
1885                         # Check for index files in the directory
1886                         local $foundidx;
1887                         foreach $idx (split(/\s+/, $config{"index_docs"})) {
1888                                 $idxfull = "$full/$idx";
1889                                 local @stidxfull = stat($idxfull);
1890                                 if (-r _ && !-d _) {
1891                                         $full = $idxfull;
1892                                         @stfull = @stidxfull;
1893                                         $is_directory = 0;
1894                                         $scriptname .= "/"
1895                                                 if ($scriptname ne "/");
1896                                         $foundidx++;
1897                                         last;
1898                                         }
1899                                 }
1900                         @stfull = stat($full) if (!$foundidx);
1901                         }
1902                 }
1903         last if ($foundroot);
1904         }
1905 print DEBUG "handle_request: initial full=$full\n";
1906
1907 # Look in the real root directories, stopping when we find a file or directory
1908 if (!$full || $is_directory) {
1909         ROOT: foreach $root (@roots) {
1910                 $sofar = "";
1911                 $full = $root.$sofar;
1912                 $scriptname = $simple;
1913                 foreach $b ($simple eq "/" ? ( "" ) : split(/\//, $simple)) {
1914                         if ($b ne "") { $sofar .= "/$b"; }
1915                         $full = $root.$sofar;
1916                         @stfull = stat($full);
1917                         if (!@stfull) {
1918                                 next ROOT;
1919                                 }
1920
1921                         # Check if this is a directory
1922                         if (-d _) {
1923                                 # It is.. go on parsing
1924                                 next;
1925                                 }
1926
1927                         # Check if this is a CGI program
1928                         if (&get_type($full) eq "internal/cgi") {
1929                                 $pathinfo = substr($simple, length($sofar));
1930                                 $pathinfo .= "/" if ($page =~ /\/$/);
1931                                 $scriptname = $sofar;
1932                                 last;
1933                                 }
1934                         }
1935
1936                 # Run CGI in the same directory as whatever file
1937                 # was requested
1938                 $full =~ /^(.*\/)[^\/]+$/; $cgi_pwd = $1;
1939
1940                 if (-e $full) {
1941                         # Found something!
1942                         $realroot = $root;
1943                         $foundroot = $root;
1944                         last;
1945                         }
1946                 }
1947         if (!@stfull) { &http_error(404, "File not found"); }
1948         }
1949 print DEBUG "handle_request: full=$full\n";
1950 @stfull = stat($full) if (!@stfull);
1951
1952 # check filename against denyfile regexp
1953 local $denyfile = $config{'denyfile'};
1954 if ($denyfile && $full =~ /$denyfile/) {
1955         &http_error(403, "Access denied to $page");
1956         return 0;
1957         }
1958
1959 # Reached the end of the path OK.. see what we've got
1960 if (-d _) {
1961         # See if the URL ends with a / as it should
1962         print DEBUG "handle_request: found a directory\n";
1963         if ($page !~ /\/$/) {
1964                 # It doesn't.. redirect
1965                 &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
1966                 $ssl = $use_ssl || $config{'inetd_ssl'};
1967                 $portstr = $port == 80 && !$ssl ? "" :
1968                            $port == 443 && $ssl ? "" : ":$port";
1969                 &write_data("Date: $datestr\r\n");
1970                 &write_data("Server: $config{server}\r\n");
1971                 $prot = $ssl ? "https" : "http";
1972                 &write_data("Location: $prot://$host$portstr$page/\r\n");
1973                 &write_keep_alive(0);
1974                 &write_data("\r\n");
1975                 &log_request($acpthost, $authuser, $reqline, 302, 0);
1976                 return 0;
1977                 }
1978         # A directory.. check for index files
1979         local $foundidx;
1980         foreach $idx (split(/\s+/, $config{"index_docs"})) {
1981                 $idxfull = "$full/$idx";
1982                 @stidxfull = stat($idxfull);
1983                 if (-r _ && !-d _) {
1984                         $cgi_pwd = $full;
1985                         $full = $idxfull;
1986                         @stfull = @stidxfull;
1987                         $scriptname .= "/" if ($scriptname ne "/");
1988                         $foundidx++;
1989                         last;
1990                         }
1991                 }
1992         @stfull = stat($full) if (!$foundidx);
1993         }
1994 if (-d _) {
1995         # This is definately a directory.. list it
1996         print DEBUG "handle_request: listing directory\n";
1997         local $resp = "HTTP/1.0 $ok_code $ok_message\r\n".
1998                       "Date: $datestr\r\n".
1999                       "Server: $config{server}\r\n".
2000                       "Content-type: text/html\r\n";
2001         &write_data($resp);
2002         &write_keep_alive(0);
2003         &write_data("\r\n");
2004         &reset_byte_count();
2005         &write_data("<h1>Index of $simple</h1>\n");
2006         &write_data("<pre>\n");
2007         &write_data(sprintf "%-35.35s %-20.20s %-10.10s\n",
2008                         "Name", "Last Modified", "Size");
2009         &write_data("<hr>\n");
2010         opendir(DIR, $full);
2011         while($df = readdir(DIR)) {
2012                 if ($df =~ /^\./) { next; }
2013                 $fulldf = $full eq "/" ? $full.$df : $full."/".$df;
2014                 (@stbuf = stat($fulldf)) || next;
2015                 if (-d _) { $df .= "/"; }
2016                 @tm = localtime($stbuf[9]);
2017                 $fdate = sprintf "%2.2d/%2.2d/%4.4d %2.2d:%2.2d:%2.2d",
2018                                 $tm[3],$tm[4]+1,$tm[5]+1900,
2019                                 $tm[0],$tm[1],$tm[2];
2020                 $len = length($df); $rest = " "x(35-$len);
2021                 &write_data(sprintf 
2022                  "<a href=\"%s\">%-${len}.${len}s</a>$rest %-20.20s %-10.10s\n",
2023                  $df, $df, $fdate, $stbuf[7]);
2024                 }
2025         closedir(DIR);
2026         &log_request($acpthost, $authuser, $reqline, $ok_code, &byte_count());
2027         return 0;
2028         }
2029
2030 # CGI or normal file
2031 local $rv;
2032 if (&get_type($full) eq "internal/cgi" && $validated != 4) {
2033         # A CGI program to execute
2034         print DEBUG "handle_request: executing CGI\n";
2035         $envtz = $ENV{"TZ"};
2036         $envuser = $ENV{"USER"};
2037         $envpath = $ENV{"PATH"};
2038         $envlang = $ENV{"LANG"};
2039         $envroot = $ENV{"SystemRoot"};
2040         $envperllib = $ENV{'PERLLIB'};
2041         foreach my $k (keys %ENV) {
2042                 delete($ENV{$k});
2043                 }
2044         $ENV{"PATH"} = $envpath if ($envpath);
2045         $ENV{"TZ"} = $envtz if ($envtz);
2046         $ENV{"USER"} = $envuser if ($envuser);
2047         $ENV{"OLD_LANG"} = $envlang if ($envlang);
2048         $ENV{"SystemRoot"} = $envroot if ($envroot);
2049         $ENV{'PERLLIB'} = $envperllib if ($envperllib);
2050         $ENV{"HOME"} = $user_homedir;
2051         $ENV{"SERVER_SOFTWARE"} = $config{"server"};
2052         $ENV{"SERVER_NAME"} = $host;
2053         $ENV{"SERVER_ADMIN"} = $config{"email"};
2054         $ENV{"SERVER_ROOT"} = $roots[0];
2055         $ENV{"SERVER_REALROOT"} = $realroot;
2056         $ENV{"SERVER_PORT"} = $port;
2057         $ENV{"REMOTE_HOST"} = $acpthost;
2058         $ENV{"REMOTE_ADDR"} = $acptip;
2059         $ENV{"REMOTE_USER"} = $authuser;
2060         $ENV{"BASE_REMOTE_USER"} = $authuser ne $baseauthuser ?
2061                                         $baseauthuser : undef;
2062         $ENV{"REMOTE_PASS"} = $authpass if (defined($authpass) &&
2063                                             $config{'pass_password'});
2064         if ($uinfo && $uinfo->{'proto'}) {
2065                 $ENV{"REMOTE_USER_PROTO"} = $uinfo->{'proto'};
2066                 $ENV{"REMOTE_USER_ID"} = $uinfo->{'id'};
2067                 }
2068         print DEBUG "REMOTE_USER = ",$ENV{"REMOTE_USER"},"\n";
2069         print DEBUG "BASE_REMOTE_USER = ",$ENV{"BASE_REMOTE_USER"},"\n";
2070         print DEBUG "proto=$uinfo->{'proto'} id=$uinfo->{'id'}\n" if ($uinfo);
2071         $ENV{"SSL_USER"} = $peername if ($validated == 2);
2072         $ENV{"ANONYMOUS_USER"} = "1" if ($validated == 3 || $validated == 4);
2073         $ENV{"DOCUMENT_ROOT"} = $roots[0];
2074         $ENV{"DOCUMENT_REALROOT"} = $realroot;
2075         $ENV{"GATEWAY_INTERFACE"} = "CGI/1.1";
2076         $ENV{"SERVER_PROTOCOL"} = "HTTP/1.0";
2077         $ENV{"REQUEST_METHOD"} = $method;
2078         $ENV{"SCRIPT_NAME"} = $scriptname;
2079         $ENV{"SCRIPT_FILENAME"} = $full;
2080         $ENV{"REQUEST_URI"} = $request_uri;
2081         $ENV{"PATH_INFO"} = $pathinfo;
2082         if ($pathinfo) {
2083                 $ENV{"PATH_TRANSLATED"} = "$roots[0]$pathinfo";
2084                 $ENV{"PATH_REALTRANSLATED"} = "$realroot$pathinfo";
2085                 }
2086         $ENV{"QUERY_STRING"} = $querystring;
2087         $ENV{"MINISERV_CONFIG"} = $config_file;
2088         $ENV{"HTTPS"} = "ON" if ($use_ssl || $config{'inetd_ssl'});
2089         $ENV{"MINISERV_PID"} = $miniserv_main_pid;
2090         $ENV{"SESSION_ID"} = $session_id if ($session_id);
2091         $ENV{"LOCAL_USER"} = $localauth_user if ($localauth_user);
2092         $ENV{"MINISERV_INTERNAL"} = $miniserv_internal if ($miniserv_internal);
2093         if (defined($header{"content-length"})) {
2094                 $ENV{"CONTENT_LENGTH"} = $header{"content-length"};
2095                 }
2096         if (defined($header{"content-type"})) {
2097                 $ENV{"CONTENT_TYPE"} = $header{"content-type"};
2098                 }
2099         foreach $h (keys %header) {
2100                 ($hname = $h) =~ tr/a-z/A-Z/;
2101                 $hname =~ s/\-/_/g;
2102                 $ENV{"HTTP_$hname"} = $header{$h};
2103                 }
2104         $ENV{"PWD"} = $cgi_pwd;
2105         foreach $k (keys %config) {
2106                 if ($k =~ /^env_(\S+)$/) {
2107                         $ENV{$1} = $config{$k};
2108                         }
2109                 }
2110         delete($ENV{'HTTP_AUTHORIZATION'});
2111         $ENV{'HTTP_COOKIE'} =~ s/;?\s*$sidname=([a-f0-9]+)//;
2112         $ENV{'MOBILE_DEVICE'} = 1 if ($mobile_device);
2113
2114         # Check if the CGI can be handled internally
2115         open(CGI, $full);
2116         local $first = <CGI>;
2117         close(CGI);
2118         $first =~ s/[#!\r\n]//g;
2119         $nph_script = ($full =~ /\/nph-([^\/]+)$/);
2120         seek(STDERR, 0, 2);
2121         if (!$config{'forkcgis'} &&
2122             ($first eq $perl_path || $first eq $linked_perl_path) &&
2123               $] >= 5.004 ||
2124             $config{'internalcgis'}) {
2125                 # setup environment for eval
2126                 chdir($ENV{"PWD"});
2127                 @ARGV = split(/\s+/, $queryargs);
2128                 $0 = $full;
2129                 if ($posted_data) {
2130                         # Already read the post input
2131                         $postinput = $posted_data;
2132                         }
2133                 $clen = $header{"content-length"};
2134                 $SIG{'CHLD'} = 'DEFAULT';
2135                 eval {
2136                         # Have SOCK closed if the perl exec's something
2137                         use Fcntl;
2138                         fcntl(SOCK, F_SETFD, FD_CLOEXEC);
2139                         };
2140                 #shutdown(SOCK, 0);
2141
2142                 if ($config{'log'}) {
2143                         open(MINISERVLOG, ">>$config{'logfile'}");
2144                         if ($config{'logperms'}) {
2145                                 chmod(oct($config{'logperms'}),
2146                                       $config{'logfile'});
2147                                 }
2148                         else {
2149                                 chmod(0600, $config{'logfile'});
2150                                 }
2151                         }
2152                 $doing_cgi_eval = 1;
2153                 $main_process_id = $$;
2154                 $pkg = "main";
2155                 if ($full =~ /^\Q$foundroot\E\/([^\/]+)\//) {
2156                         # Eval in package from Webmin module name
2157                         $pkg = $1;
2158                         $pkg =~ s/[^A-Za-z0-9]/_/g;
2159                         }
2160                 eval "
2161                         \%pkg::ENV = \%ENV;
2162                         package $pkg;
2163                         tie(*STDOUT, 'miniserv');
2164                         tie(*STDIN, 'miniserv');
2165                         do \$miniserv::full;
2166                         die \$@ if (\$@);
2167                         ";
2168                 $doing_cgi_eval = 0;
2169                 if ($@) {
2170                         # Error in perl!
2171                         &http_error(500, "Perl execution failed",
2172                                     $config{'noshowstderr'} ? undef : $@);
2173                         }
2174                 elsif (!$doneheaders && !$nph_script) {
2175                         &http_error(500, "Missing Headers");
2176                         }
2177                 $rv = 0;
2178                 }
2179         else {
2180                 $infile = undef;
2181                 if (!$on_windows) {
2182                         # fork the process that actually executes the CGI
2183                         pipe(CGIINr, CGIINw);
2184                         pipe(CGIOUTr, CGIOUTw);
2185                         pipe(CGIERRr, CGIERRw);
2186                         if (!($cgipid = fork())) {
2187                                 @execargs = ( $full, split(/\s+/, $queryargs) );
2188                                 chdir($ENV{"PWD"});
2189                                 close(SOCK);
2190                                 open(STDIN, "<&CGIINr");
2191                                 open(STDOUT, ">&CGIOUTw");
2192                                 open(STDERR, ">&CGIERRw");
2193                                 close(CGIINw); close(CGIOUTr); close(CGIERRr);
2194                                 exec(@execargs) ||
2195                                         die "Failed to exec $full : $!\n";
2196                                 exit(0);
2197                                 }
2198                         close(CGIINr); close(CGIOUTw); close(CGIERRw);
2199                         }
2200                 else {
2201                         # write CGI input to a temp file
2202                         $infile = "$config{'tempbase'}.$$";
2203                         open(CGIINw, ">$infile");
2204                         # NOT binary mode, as CGIs don't read in it!
2205                         }
2206
2207                 # send post data
2208                 if ($posted_data) {
2209                         # already read the posted data
2210                         print CGIINw $posted_data;
2211                         }
2212                 $clen = $header{"content-length"};
2213                 if ($method eq "POST" && $clen_read < $clen) {
2214                         $SIG{'PIPE'} = 'IGNORE';
2215                         $got = $clen_read;
2216                         while($got < $clen) {
2217                                 $buf = &read_data($clen-$got);
2218                                 if (!length($buf)) {
2219                                         kill('TERM', $cgipid);
2220                                         unlink($infile) if ($infile);
2221                                         &http_error(500, "Failed to read ".
2222                                                          "POST request");
2223                                         }
2224                                 $got += length($buf);
2225                                 local ($wrote) = (print CGIINw $buf);
2226                                 last if (!$wrote);
2227                                 }
2228                         # If the CGI terminated early, we still need to read
2229                         # from the browser and throw away
2230                         while($got < $clen) {
2231                                 $buf = &read_data($clen-$got);
2232                                 if (!length($buf)) {
2233                                         kill('TERM', $cgipid);
2234                                         unlink($infile) if ($infile);
2235                                         &http_error(500, "Failed to read ".
2236                                                          "POST request");
2237                                         }
2238                                 $got += length($buf);
2239                                 }
2240                         $SIG{'PIPE'} = 'DEFAULT';
2241                         }
2242                 close(CGIINw);
2243                 shutdown(SOCK, 0);
2244
2245                 if ($on_windows) {
2246                         # Run the CGI program, and feed it input
2247                         chdir($ENV{"PWD"});
2248                         local $qqueryargs = join(" ", map { "\"$_\"" }
2249                                                  split(/\s+/, $queryargs));
2250                         if ($first =~ /(perl|perl.exe)$/i) {
2251                                 # On Windows, run with Perl
2252                                 open(CGIOUTr, "$perl_path \"$full\" $qqueryargs <$infile |");
2253                                 }
2254                         else {
2255                                 open(CGIOUTr, "\"$full\" $qqueryargs <$infile |");
2256                                 }
2257                         binmode(CGIOUTr);
2258                         }
2259
2260                 if (!$nph_script) {
2261                         # read back cgi headers
2262                         select(CGIOUTr); $|=1; select(STDOUT);
2263                         $got_blank = 0;
2264                         while(1) {
2265                                 $line = <CGIOUTr>;
2266                                 $line =~ s/\r|\n//g;
2267                                 if ($line eq "") {
2268                                         if ($got_blank || %cgiheader) { last; }
2269                                         $got_blank++;
2270                                         next;
2271                                         }
2272                                 if ($line !~ /^(\S+):\s+(.*)$/) {
2273                                         $errs = &read_errors(CGIERRr);
2274                                         close(CGIOUTr); close(CGIERRr);
2275                                         unlink($infile) if ($infile);
2276                                         &http_error(500, "Bad Header", $errs);
2277                                         }
2278                                 $cgiheader{lc($1)} = $2;
2279                                 push(@cgiheader, [ $1, $2 ]);
2280                                 }
2281                         if ($cgiheader{"location"}) {
2282                                 &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
2283                                 &write_data("Date: $datestr\r\n");
2284                                 &write_data("Server: $config{'server'}\r\n");
2285                                 &write_keep_alive(0);
2286                                 # ignore the rest of the output. This is a hack,
2287                                 # but is necessary for IE in some cases :(
2288                                 close(CGIOUTr); close(CGIERRr);
2289                                 }
2290                         elsif ($cgiheader{"content-type"} eq "") {
2291                                 close(CGIOUTr); close(CGIERRr);
2292                                 unlink($infile) if ($infile);
2293                                 $errs = &read_errors(CGIERRr);
2294                                 &http_error(500, "Missing Content-Type Header",
2295                                     $config{'noshowstderr'} ? undef : $errs);
2296                                 }
2297                         else {
2298                                 &write_data("HTTP/1.0 $ok_code $ok_message\r\n");
2299                                 &write_data("Date: $datestr\r\n");
2300                                 &write_data("Server: $config{'server'}\r\n");
2301                                 &write_keep_alive(0);
2302                                 }
2303                         foreach $h (@cgiheader) {
2304                                 &write_data("$h->[0]: $h->[1]\r\n");
2305                                 }
2306                         &write_data("\r\n");
2307                         }
2308                 &reset_byte_count();
2309                 while($line = <CGIOUTr>) {
2310                         &write_data($line);
2311                         }
2312                 close(CGIOUTr);
2313                 close(CGIERRr);
2314                 unlink($infile) if ($infile);
2315                 $rv = 0;
2316                 }
2317         }
2318 else {
2319         # A file to output
2320         print DEBUG "handle_request: outputting file\n";
2321         open(FILE, $full) || &http_error(404, "Failed to open file");
2322         binmode(FILE);
2323         local $resp = "HTTP/1.0 $ok_code $ok_message\r\n".
2324                       "Date: $datestr\r\n".
2325                       "Server: $config{server}\r\n".
2326                       "Content-type: ".&get_type($full)."\r\n".
2327                       "Content-length: $stfull[7]\r\n".
2328                       "Last-Modified: ".&http_date($stfull[9])."\r\n".
2329                       "Expires: ".&http_date(time()+$config{'expires'})."\r\n";
2330         &write_data($resp);
2331         $rv = &write_keep_alive();
2332         &write_data("\r\n");
2333         &reset_byte_count();
2334         while(read(FILE, $buf, 1024) > 0) {
2335                 &write_data($buf);
2336                 }
2337         close(FILE);
2338         }
2339
2340 # log the request
2341 &log_request($acpthost, $authuser, $reqline,
2342              $logged_code ? $logged_code :
2343              $cgiheader{"location"} ? "302" : $ok_code, &byte_count());
2344 return $rv;
2345 }
2346
2347 # http_error(code, message, body, [dontexit])
2348 sub http_error
2349 {
2350 local $eh = $error_handler_recurse ? undef :
2351             $config{"error_handler_$_[0]"} ? $config{"error_handler_$_[0]"} :
2352             $config{'error_handler'} ? $config{'error_handler'} : undef;
2353 print DEBUG "http_error code=$_[0] message=$_[1] body=$_[2]\n";
2354 if ($eh) {
2355         # Call a CGI program for the error
2356         $page = "/$eh";
2357         $querystring = "code=$_[0]&message=".&urlize($_[1]).
2358                        "&body=".&urlize($_[2]);
2359         $error_handler_recurse++;
2360         $ok_code = $_[0];
2361         $ok_message = $_[1];
2362         goto rerun;
2363         }
2364 else {
2365         # Use the standard error message display
2366         &write_data("HTTP/1.0 $_[0] $_[1]\r\n");
2367         &write_data("Server: $config{server}\r\n");
2368         &write_data("Date: $datestr\r\n");
2369         &write_data("Content-type: text/html\r\n");
2370         &write_keep_alive(0);
2371         &write_data("\r\n");
2372         &reset_byte_count();
2373         &write_data("<h1>Error - $_[1]</h1>\n");
2374         if ($_[2]) {
2375                 &write_data("<pre>$_[2]</pre>\n");
2376                 }
2377         }
2378 &log_request($acpthost, $authuser, $reqline, $_[0], &byte_count())
2379         if ($reqline);
2380 &log_error($_[1], $_[2] ? " : $_[2]" : "");
2381 shutdown(SOCK, 1);
2382 exit if (!$_[3]);
2383 }
2384
2385 sub get_type
2386 {
2387 if ($_[0] =~ /\.([A-z0-9]+)$/) {
2388         $t = $mime{$1};
2389         if ($t ne "") {
2390                 return $t;
2391                 }
2392         }
2393 return "text/plain";
2394 }
2395
2396 # simplify_path(path, bogus)
2397 # Given a path, maybe containing stuff like ".." and "." convert it to a
2398 # clean, absolute form.
2399 sub simplify_path
2400 {
2401 local($dir, @bits, @fixedbits, $b);
2402 $dir = $_[0];
2403 $dir =~ s/\\/\//g;      # fix windows \ in path
2404 $dir =~ s/^\/+//g;
2405 $dir =~ s/\/+$//g;
2406 $dir =~ s/\0//g;        # remove null bytes
2407 @bits = split(/\/+/, $dir);
2408 @fixedbits = ();
2409 $_[1] = 0;
2410 foreach $b (@bits) {
2411         if ($b eq ".") {
2412                 # Do nothing..
2413                 }
2414         elsif ($b eq ".." || $b eq "...") {
2415                 # Remove last dir
2416                 if (scalar(@fixedbits) == 0) {
2417                         $_[1] = 1;
2418                         return "/";
2419                         }
2420                 pop(@fixedbits);
2421                 }
2422         else {
2423                 # Add dir to list
2424                 push(@fixedbits, $b);
2425                 }
2426         }
2427 return "/" . join('/', @fixedbits);
2428 }
2429
2430 # b64decode(string)
2431 # Converts a string from base64 format to normal
2432 sub b64decode
2433 {
2434     local($str) = $_[0];
2435     local($res);
2436     $str =~ tr|A-Za-z0-9+=/||cd;
2437     $str =~ s/=+$//;
2438     $str =~ tr|A-Za-z0-9+/| -_|;
2439     while ($str =~ /(.{1,60})/gs) {
2440         my $len = chr(32 + length($1)*3/4);
2441         $res .= unpack("u", $len . $1 );
2442     }
2443     return $res;
2444 }
2445
2446 # ip_match(remoteip, localip, [match]+)
2447 # Checks an IP address against a list of IPs, networks and networks/masks
2448 sub ip_match
2449 {
2450 local(@io, @mo, @ms, $i, $j, $hn, $needhn);
2451 @io = split(/\./, $_[0]);
2452 for($i=2; $i<@_; $i++) {
2453         $needhn++ if ($_[$i] =~ /^\*(\S+)$/);
2454         }
2455 if ($needhn && !defined($hn = $ip_match_cache{$_[0]})) {
2456         $hn = gethostbyaddr(inet_aton($_[0]), AF_INET);
2457         $hn = "" if (&to_ipaddress($hn) ne $_[0]);
2458         $ip_match_cache{$_[0]} = $hn;
2459         }
2460 for($i=2; $i<@_; $i++) {
2461         local $mismatch = 0;
2462         if ($_[$i] =~ /^(\S+)\/(\d+)$/) {
2463                 # Convert CIDR to netmask format
2464                 $_[$i] = $1."/".&prefix_to_mask($2);
2465                 }
2466         if ($_[$i] =~ /^(\S+)\/(\S+)$/) {
2467                 # Compare with network/mask
2468                 @mo = split(/\./, $1); @ms = split(/\./, $2);
2469                 for($j=0; $j<4; $j++) {
2470                         if ((int($io[$j]) & int($ms[$j])) != int($mo[$j])) {
2471                                 $mismatch = 1;
2472                                 }
2473                         }
2474                 }
2475         elsif ($_[$i] =~ /^\*(\S+)$/) {
2476                 # Compare with hostname regexp
2477                 $mismatch = 1 if ($hn !~ /$1$/);
2478                 }
2479         elsif ($_[$i] eq 'LOCAL') {
2480                 # Compare with local network
2481                 local @lo = split(/\./, $_[1]);
2482                 if ($lo[0] < 128) {
2483                         $mismatch = 1 if ($lo[0] != $io[0]);
2484                         }
2485                 elsif ($lo[0] < 192) {
2486                         $mismatch = 1 if ($lo[0] != $io[0] ||
2487                                           $lo[1] != $io[1]);
2488                         }
2489                 else {
2490                         $mismatch = 1 if ($lo[0] != $io[0] ||
2491                                           $lo[1] != $io[1] ||
2492                                           $lo[2] != $io[2]);
2493                         }
2494                 }
2495         elsif ($_[$i] !~ /^[0-9\.]+$/) {
2496                 # Compare with hostname
2497                 $mismatch = 1 if ($_[0] ne &to_ipaddress($_[$i]));
2498                 }
2499         else {
2500                 # Compare with IP or network
2501                 @mo = split(/\./, $_[$i]);
2502                 while(@mo && !$mo[$#mo]) { pop(@mo); }
2503                 for($j=0; $j<@mo; $j++) {
2504                         if ($mo[$j] != $io[$j]) {
2505                                 $mismatch = 1;
2506                                 }
2507                         }
2508                 }
2509         return 1 if (!$mismatch);
2510         }
2511 return 0;
2512 }
2513
2514 # users_match(&uinfo, user, ...)
2515 # Returns 1 if a user is in a list of users and groups
2516 sub users_match
2517 {
2518 local $uinfo = shift(@_);
2519 local $u;
2520 local @ginfo = getgrgid($uinfo->[3]);
2521 foreach $u (@_) {
2522         if ($u =~ /^\@(\S+)$/) {
2523                 return 1 if (&is_group_member($uinfo, $1));
2524                 }
2525         elsif ($u =~ /^(\d*)-(\d*)$/ && ($1 || $2)) {
2526                 return (!$1 || $uinfo[2] >= $1) &&
2527                        (!$2 || $uinfo[2] <= $2);
2528                 }
2529         else {
2530                 return 1 if ($u eq $uinfo->[0]);
2531                 }
2532         }
2533 return 0;
2534 }
2535
2536 # restart_miniserv()
2537 # Called when a SIGHUP is received to restart the web server. This is done
2538 # by exec()ing perl with the same command line as was originally used
2539 sub restart_miniserv
2540 {
2541 print STDERR "restarting miniserv\n";
2542 &log_error("Restarting");
2543 close(SOCK);
2544 &close_all_sockets();
2545 &close_all_pipes();
2546 dbmclose(%sessiondb);
2547 kill('KILL', $logclearer) if ($logclearer);
2548 kill('KILL', $extauth) if ($extauth);
2549 exec($perl_path, $miniserv_path, @miniserv_argv);
2550 die "Failed to restart miniserv with $perl_path $miniserv_path";
2551 }
2552
2553 sub trigger_restart
2554 {
2555 $need_restart = 1;
2556 }
2557
2558 sub trigger_reload
2559 {
2560 $need_reload = 1;
2561 }
2562
2563 sub to_ipaddress
2564 {
2565 local (@rv, $i);
2566 foreach $i (@_) {
2567         if ($i =~ /(\S+)\/(\S+)/ || $i =~ /^\*\S+$/ ||
2568             $i eq 'LOCAL' || $i =~ /^[0-9\.]+$/) { push(@rv, $i); }
2569         else { push(@rv, join('.', unpack("CCCC", inet_aton($i)))); }
2570         }
2571 return wantarray ? @rv : $rv[0];
2572 }
2573
2574 # read_line(no-wait, no-limit)
2575 # Reads one line from SOCK or SSL
2576 sub read_line
2577 {
2578 local ($nowait, $nolimit) = @_;
2579 local($idx, $more, $rv);
2580 while(($idx = index($main::read_buffer, "\n")) < 0) {
2581         if (length($main::read_buffer) > 10000 && !$nolimit) {
2582                 &http_error(414, "Request too long",
2583                     "Received excessive line <pre>$main::read_buffer</pre>");
2584                 }
2585
2586         # need to read more..
2587         &wait_for_data_error() if (!$nowait);
2588         if ($use_ssl) {
2589                 $more = Net::SSLeay::read($ssl_con);
2590                 }
2591         else {
2592                 local $ok = sysread(SOCK, $more, 1024);
2593                 $more = undef if ($ok <= 0);
2594                 }
2595         if ($more eq '') {
2596                 # end of the data
2597                 $rv = $main::read_buffer;
2598                 undef($main::read_buffer);
2599                 return $rv;
2600                 }
2601         $main::read_buffer .= $more;
2602         }
2603 $rv = substr($main::read_buffer, 0, $idx+1);
2604 $main::read_buffer = substr($main::read_buffer, $idx+1);
2605 return $rv;
2606 }
2607
2608 # read_data(length)
2609 # Reads up to some amount of data from SOCK or the SSL connection
2610 sub read_data
2611 {
2612 local ($rv);
2613 if (length($main::read_buffer)) {
2614         if (length($main::read_buffer) > $_[0]) {
2615                 # Return the first part of the buffer
2616                 $rv = substr($main::read_buffer, 0, $_[0]);
2617                 $main::read_buffer = substr($main::read_buffer, $_[0]);
2618                 return $rv;
2619                 }
2620         else {
2621                 # Return the whole buffer
2622                 $rv = $main::read_buffer;
2623                 undef($main::read_buffer);
2624                 return $rv;
2625                 }
2626         }
2627 elsif ($use_ssl) {
2628         # Call SSL read function
2629         return Net::SSLeay::read($ssl_con, $_[0]);
2630         }
2631 else {
2632         # Just do a normal read
2633         local $buf;
2634         sysread(SOCK, $buf, $_[0]) || return undef;
2635         return $buf;
2636         }
2637 }
2638
2639 # sysread_line(fh)
2640 # Read a line from a file handle, using sysread to get a byte at a time
2641 sub sysread_line
2642 {
2643 local ($fh) = @_;
2644 local $line;
2645 while(1) {
2646         local ($buf, $got);
2647         $got = sysread($fh, $buf, 1);
2648         last if ($got <= 0);
2649         $line .= $buf;
2650         last if ($buf eq "\n");
2651         }
2652 return $line;
2653 }
2654
2655 # wait_for_data(secs)
2656 # Waits at most the given amount of time for some data on SOCK, returning
2657 # 0 if not found, 1 if some arrived.
2658 sub wait_for_data
2659 {
2660 local $rmask;
2661 vec($rmask, fileno(SOCK), 1) = 1;
2662 local $got = select($rmask, undef, undef, $_[0]);
2663 return $got == 0 ? 0 : 1;
2664 }
2665
2666 # wait_for_data_error()
2667 # Waits 60 seconds for data on SOCK, and fails if none arrives
2668 sub wait_for_data_error
2669 {
2670 local $got = &wait_for_data(60);
2671 if (!$got) {
2672         &http_error(400, "Timeout",
2673                     "Waited more than 60 seconds for request data");
2674         }
2675 }
2676
2677 # write_data(data, ...)
2678 # Writes a string to SOCK or the SSL connection
2679 sub write_data
2680 {
2681 local $str = join("", @_);
2682 if ($use_ssl) {
2683         Net::SSLeay::write($ssl_con, $str);
2684         }
2685 else {
2686         syswrite(SOCK, $str, length($str));
2687         }
2688 # Intentionally introduce a small delay to avoid problems where IE reports
2689 # the page as empty / DNS failed when it get a large response too quickly!
2690 select(undef, undef, undef, .01) if ($write_data_count%10 == 0);
2691 $write_data_count += length($str);
2692 }
2693
2694 # reset_byte_count()
2695 sub reset_byte_count { $write_data_count = 0; }
2696
2697 # byte_count()
2698 sub byte_count { return $write_data_count; }
2699
2700 # log_request(hostname, user, request, code, bytes)
2701 sub log_request
2702 {
2703 if ($config{'log'}) {
2704         local ($user, $ident, $headers);
2705         if ($config{'logident'}) {
2706                 # add support for rfc1413 identity checking here
2707                 }
2708         else { $ident = "-"; }
2709         $user = $_[1] ? $_[1] : "-";
2710         local $dstr = &make_datestr();
2711         if (fileno(MINISERVLOG)) {
2712                 seek(MINISERVLOG, 0, 2);
2713                 }
2714         else {
2715                 open(MINISERVLOG, ">>$config{'logfile'}");
2716                 chmod(0600, $config{'logfile'});
2717                 }
2718         if (defined($config{'logheaders'})) {
2719                 foreach $h (split(/\s+/, $config{'logheaders'})) {
2720                         $headers .= " $h=\"$header{$h}\"";
2721                         }
2722                 }
2723         elsif ($config{'logclf'}) {
2724                 $headers = " \"$header{'referer'}\" \"$header{'user-agent'}\"";
2725                 }
2726         else {
2727                 $headers = "";
2728                 }
2729         print MINISERVLOG "$_[0] $ident $user [$dstr] \"$_[2]\" ",
2730                           "$_[3] $_[4]$headers\n";
2731         close(MINISERVLOG);
2732         }
2733 }
2734
2735 # make_datestr()
2736 sub make_datestr
2737 {
2738 local @tm = localtime(time());
2739 return sprintf "%2.2d/%s/%4.4d:%2.2d:%2.2d:%2.2d %s",
2740                 $tm[3], $month[$tm[4]], $tm[5]+1900,
2741                 $tm[2], $tm[1], $tm[0], $timezone;
2742 }
2743
2744 # log_error(message)
2745 sub log_error
2746 {
2747 seek(STDERR, 0, 2);
2748 print STDERR "[",&make_datestr(),"] ",
2749         $acpthost ? ( "[",$acpthost,"] " ) : ( ),
2750         $page ? ( $page," : " ) : ( ),
2751         @_,"\n";
2752 }
2753
2754 # read_errors(handle)
2755 # Read and return all input from some filehandle
2756 sub read_errors
2757 {
2758 local($fh, $_, $rv);
2759 $fh = $_[0];
2760 while(<$fh>) { $rv .= $_; }
2761 return $rv;
2762 }
2763
2764 sub write_keep_alive
2765 {
2766 local $mode;
2767 if ($config{'nokeepalive'}) {
2768         # Keep alives have been disabled in config
2769         $mode = 0;
2770         }
2771 elsif (@childpids > $config{'maxconns'}*.8) {
2772         # Disable because nearing process limit
2773         $mode = 0;
2774         }
2775 elsif (@_) {
2776         # Keep alive specified by caller
2777         $mode = $_[0];
2778         }
2779 else {
2780         # Keep alive determined by browser
2781         $mode = $header{'connection'} =~ /keep-alive/i;
2782         }
2783 &write_data("Connection: ".($mode ? "Keep-Alive" : "close")."\r\n");
2784 return $mode;
2785 }
2786
2787 sub term_handler
2788 {
2789 kill('TERM', @childpids) if (@childpids);
2790 kill('KILL', $logclearer) if ($logclearer);
2791 kill('KILL', $extauth) if ($extauth);
2792 exit(1);
2793 }
2794
2795 sub http_date
2796 {
2797 local @tm = gmtime($_[0]);
2798 return sprintf "%s, %d %s %d %2.2d:%2.2d:%2.2d GMT",
2799                 $weekday[$tm[6]], $tm[3], $month[$tm[4]], $tm[5]+1900,
2800                 $tm[2], $tm[1], $tm[0];
2801 }
2802
2803 sub TIEHANDLE
2804 {
2805 my $i; bless \$i, shift;
2806 }
2807  
2808 sub WRITE
2809 {
2810 $r = shift;
2811 my($buf,$len,$offset) = @_;
2812 &write_to_sock(substr($buf, $offset, $len));
2813 }
2814  
2815 sub PRINT
2816 {
2817 $r = shift;
2818 $$r++;
2819 my $buf = join(defined($,) ? $, : "", @_);
2820 $buf .= $\ if defined($\);
2821 &write_to_sock($buf);
2822 }
2823  
2824 sub PRINTF
2825 {
2826 shift;
2827 my $fmt = shift;
2828 &write_to_sock(sprintf $fmt, @_);
2829 }
2830  
2831 # Send back already read data while we have it, then read from SOCK
2832 sub READ
2833 {
2834 my $r = shift;
2835 my $bufref = \$_[0];
2836 my $len = $_[1];
2837 my $offset = $_[2];
2838 if ($postpos < length($postinput)) {
2839         # Reading from already fetched array
2840         my $left = length($postinput) - $postpos;
2841         my $canread = $len > $left ? $left : $len;
2842         substr($$bufref, $offset, $canread) =
2843                 substr($postinput, $postpos, $canread);
2844         $postpos += $canread;
2845         return $canread;
2846         }
2847 else {
2848         # Read from network socket
2849         local $data = &read_data($len);
2850         if ($data eq '' && $len) {
2851                 # End of socket
2852                 print STDERR "finished reading - shutting down socket\n";
2853                 shutdown(SOCK, 0);
2854                 }
2855         substr($$bufref, $offset, length($data)) = $data;
2856         return length($data);
2857         }
2858 }
2859
2860 sub OPEN
2861 {
2862 #print STDERR "open() called - should never happen!\n";
2863 }
2864  
2865 # Read a line of input
2866 sub READLINE
2867 {
2868 my $r = shift;
2869 if ($postpos < length($postinput) &&
2870     ($idx = index($postinput, "\n", $postpos)) >= 0) {
2871         # A line exists in the memory buffer .. use it
2872         my $line = substr($postinput, $postpos, $idx-$postpos+1);
2873         $postpos = $idx+1;
2874         return $line;
2875         }
2876 else {
2877         # Need to read from the socket
2878         my $line;
2879         if ($postpos < length($postinput)) {
2880                 # Start with in-memory data
2881                 $line = substr($postinput, $postpos);
2882                 $postpos = length($postinput);
2883                 }
2884         my $nl = &read_line(0, 1);
2885         if ($nl eq '') {
2886                 # End of socket
2887                 print STDERR "finished reading - shutting down socket\n";
2888                 shutdown(SOCK, 0);
2889                 }
2890         $line .= $nl if (defined($nl));
2891         return $line;
2892         }
2893 }
2894  
2895 # Read one character of input
2896 sub GETC
2897 {
2898 my $r = shift;
2899 my $buf;
2900 my $got = READ($r, \$buf, 1, 0);
2901 return $got > 0 ? $buf : undef;
2902 }
2903
2904 sub FILENO
2905 {
2906 return fileno(SOCK);
2907 }
2908  
2909 sub CLOSE { }
2910  
2911 sub DESTROY { }
2912
2913 # write_to_sock(data, ...)
2914 sub write_to_sock
2915 {
2916 local $d;
2917 foreach $d (@_) {
2918         if ($doneheaders || $miniserv::nph_script) {
2919                 &write_data($d);
2920                 }
2921         else {
2922                 $headers .= $d;
2923                 while(!$doneheaders && $headers =~ s/^([^\r\n]*)(\r)?\n//) {
2924                         if ($1 =~ /^(\S+):\s+(.*)$/) {
2925                                 $cgiheader{lc($1)} = $2;
2926                                 push(@cgiheader, [ $1, $2 ]);
2927                                 }
2928                         elsif ($1 !~ /\S/) {
2929                                 $doneheaders++;
2930                                 }
2931                         else {
2932                                 &http_error(500, "Bad Header");
2933                                 }
2934                         }
2935                 if ($doneheaders) {
2936                         if ($cgiheader{"location"}) {
2937                                 &write_data(
2938                                         "HTTP/1.0 302 Moved Temporarily\r\n");
2939                                 &write_data("Date: $datestr\r\n");
2940                                 &write_data("Server: $config{server}\r\n");
2941                                 &write_keep_alive(0);
2942                                 }
2943                         elsif ($cgiheader{"content-type"} eq "") {
2944                                 &http_error(500, "Missing Content-Type Header");
2945                                 }
2946                         else {
2947                                 &write_data("HTTP/1.0 $ok_code $ok_message\r\n");
2948                                 &write_data("Date: $datestr\r\n");
2949                                 &write_data("Server: $config{server}\r\n");
2950                                 &write_keep_alive(0);
2951                                 }
2952                         foreach $h (@cgiheader) {
2953                                 &write_data("$h->[0]: $h->[1]\r\n");
2954                                 }
2955                         &write_data("\r\n");
2956                         &reset_byte_count();
2957                         &write_data($headers);
2958                         }
2959                 }
2960         }
2961 }
2962
2963 sub verify_client
2964 {
2965 local $cert = Net::SSLeay::X509_STORE_CTX_get_current_cert($_[1]);
2966 if ($cert) {
2967         local $errnum = Net::SSLeay::X509_STORE_CTX_get_error($_[1]);
2968         $verified_client = 1 if (!$errnum);
2969         }
2970 return 1;
2971 }
2972
2973 sub END
2974 {
2975 if ($doing_cgi_eval && $$ == $main_process_id) {
2976         # A CGI program called exit! This is a horrible hack to 
2977         # finish up before really exiting
2978         shutdown(SOCK, 1);
2979         close(SOCK);
2980         close($PASSINw); close($PASSOUTw);
2981         &log_request($acpthost, $authuser, $reqline,
2982                      $cgiheader{"location"} ? "302" : $ok_code, &byte_count());
2983         }
2984 }
2985
2986 # urlize
2987 # Convert a string to a form ok for putting in a URL
2988 sub urlize {
2989   local($tmp, $tmp2, $c);
2990   $tmp = $_[0];
2991   $tmp2 = "";
2992   while(($c = chop($tmp)) ne "") {
2993         if ($c !~ /[A-z0-9]/) {
2994                 $c = sprintf("%%%2.2X", ord($c));
2995                 }
2996         $tmp2 = $c . $tmp2;
2997         }
2998   return $tmp2;
2999 }
3000
3001 # validate_user(username, password, host)
3002 # Checks if some username and password are valid. Returns the modified username,
3003 # the expired / temp pass flag, and the non-existence flag
3004 sub validate_user
3005 {
3006 local ($user, $pass, $host) = @_;
3007 return ( ) if (!$user);
3008 print DEBUG "validate_user: user=$user pass=$pass host=$host\n";
3009 local ($canuser, $canmode, $notexist, $webminuser, $sudo) =
3010         &can_user_login($user, undef, $host);
3011 print DEBUG "validate_user: canuser=$canuser canmode=$canmode notexist=$notexist webminuser=$webminuser sudo=$sudo\n";
3012 if ($notexist) {
3013         # User doesn't even exist, so go no further
3014         return ( undef, 0, 1 );
3015         }
3016 elsif ($canmode == 0) {
3017         # User does exist but cannot login
3018         return ( $canuser, 0, 0 );
3019         }
3020 elsif ($canmode == 1) {
3021         # Attempt Webmin authentication
3022         my $uinfo = &get_user_details($webminuser);
3023         if ($uinfo &&
3024             &password_crypt($pass, $uinfo->{'pass'}) eq $uinfo->{'pass'}) {
3025                 # Password is valid .. but check for expiry
3026                 local $lc = $uinfo->{'lastchanges'};
3027                 print DEBUG "validate_user: Password is valid lc=$lc pass_maxdays=$config{'pass_maxdays'}\n";
3028                 if ($config{'pass_maxdays'} && $lc && !$uinfo->{'nochange'}) {
3029                         local $daysold = (time() - $lc)/(24*60*60);
3030                         print DEBUG "maxdays=$config{'pass_maxdays'} daysold=$daysold temppass=$uinfo->{'temppass'}\n";
3031                         if ($config{'pass_lockdays'} &&
3032                             $daysold > $config{'pass_lockdays'}) {
3033                                 # So old that the account is locked
3034                                 return ( undef, 0, 0 );
3035                                 }
3036                         elsif ($daysold > $config{'pass_maxdays'}) {
3037                                 # Password has expired
3038                                 return ( $user, 1, 0 );
3039                                 }
3040                         }
3041                 if ($uinfo->{'temppass'}) {
3042                         # Temporary password - force change now
3043                         return ( $user, 2, 0 );
3044                         }
3045                 return ( $user, 0, 0 );
3046                 }
3047         elsif (!$uinfo) {
3048                 print DEBUG "validate_user: User $webminuser not found\n";
3049                 return ( undef, 0, 0 );
3050                 }
3051         else {
3052                 print DEBUG "validate_user: User $webminuser password mismatch $pass != $uinfo->{'pass'}\n";
3053                 return ( undef, 0, 0 );
3054                 }
3055         }
3056 elsif ($canmode == 2 || $canmode == 3) {
3057         # Attempt PAM or passwd file authentication
3058         local $val = &validate_unix_user($canuser, $pass);
3059         print DEBUG "validate_user: unix val=$val\n";
3060         if ($val && $sudo) {
3061                 # Need to check if this Unix user can sudo
3062                 if (!&check_sudo_permissions($canuser, $pass)) {
3063                         print DEBUG "validate_user: sudo failed\n";
3064                         $val = 0;
3065                         }
3066                 else {
3067                         print DEBUG "validate_user: sudo passed\n";
3068                         }
3069                 }
3070         return $val == 2 ? ( $canuser, 1, 0 ) :
3071                $val == 1 ? ( $canuser, 0, 0 ) : ( undef, 0, 0 );
3072         }
3073 elsif ($canmode == 4) {
3074         # Attempt external authentication
3075         return &validate_external_user($canuser, $pass) ?
3076                 ( $canuser, 0, 0 ) : ( undef, 0, 0 );
3077         }
3078 else {
3079         # Can't happen!
3080         return ( );
3081         }
3082 }
3083
3084 # validate_unix_user(user, password)
3085 # Returns 1 if a username and password are valid under unix, 0 if not,
3086 # or 2 if the account has expired.
3087 # Checks PAM if available, and falls back to reading the system password
3088 # file otherwise.
3089 sub validate_unix_user
3090 {
3091 if ($use_pam) {
3092         # Check with PAM
3093         $pam_username = $_[0];
3094         $pam_password = $_[1];
3095         eval "use Authen::PAM;";
3096         local $pamh = new Authen::PAM($config{'pam'}, $pam_username,
3097                                       \&pam_conv_func);
3098         if (ref($pamh)) {
3099                 local $pam_ret = $pamh->pam_authenticate();
3100                 if ($pam_ret == PAM_SUCCESS()) {
3101                         # Logged in OK .. make sure password hasn't expired
3102                         local $acct_ret = $pamh->pam_acct_mgmt();
3103                         if ($acct_ret == PAM_SUCCESS()) {
3104                                 $pamh->pam_open_session();
3105                                 return 1;
3106                                 }
3107                         elsif ($acct_ret == PAM_NEW_AUTHTOK_REQD() ||
3108                                $acct_ret == PAM_ACCT_EXPIRED()) {
3109                                 return 2;
3110                                 }
3111                         else {
3112                                 print STDERR "Unknown pam_acct_mgmt return value : $acct_ret\n";
3113                                 return 0;
3114                                 }
3115                         }
3116                 return 0;
3117                 }
3118         }
3119 elsif ($config{'pam_only'}) {
3120         # Pam is not available, but configuration forces it's use!
3121         return 0;
3122         }
3123 elsif ($config{'passwd_file'}) {
3124         # Check in a password file
3125         local $rv = 0;
3126         open(FILE, $config{'passwd_file'});
3127         if ($config{'passwd_file'} eq '/etc/security/passwd') {
3128                 # Assume in AIX format
3129                 while(<FILE>) {
3130                         s/\s*$//;
3131                         if (/^\s*(\S+):/ && $1 eq $_[0]) {
3132                                 $_ = <FILE>;
3133                                 if (/^\s*password\s*=\s*(\S+)\s*$/) {
3134                                         $rv = $1 eq &password_crypt($_[1], $1) ?
3135                                                 1 : 0;
3136                                         }
3137                                 last;
3138                                 }
3139                         }
3140                 }
3141         else {
3142                 # Read the system password or shadow file
3143                 while(<FILE>) {
3144                         local @l = split(/:/, $_, -1);
3145                         local $u = $l[$config{'passwd_uindex'}];
3146                         local $p = $l[$config{'passwd_pindex'}];
3147                         if ($u eq $_[0]) {
3148                                 $rv = $p eq &password_crypt($_[1], $p) ? 1 : 0;
3149                                 if ($config{'passwd_cindex'} ne '' && $rv) {
3150                                         # Password may have expired!
3151                                         local $c = $l[$config{'passwd_cindex'}];
3152                                         local $m = $l[$config{'passwd_mindex'}];
3153                                         local $day = time()/(24*60*60);
3154                                         if ($c =~ /^\d+/ && $m =~ /^\d+/ &&
3155                                             $day - $c > $m) {
3156                                                 # Yep, it has ..
3157                                                 $rv = 2;
3158                                                 }
3159                                         }
3160                                 if ($p eq "" && $config{'passwd_blank'}) {
3161                                         # Force password change
3162                                         $rv = 2;
3163                                         }
3164                                 last;
3165                                 }
3166                         }
3167                 }
3168         close(FILE);
3169         return $rv if ($rv);
3170         }
3171
3172 # Fallback option - check password returned by getpw*
3173 local @uinfo = getpwnam($_[0]);
3174 if ($uinfo[1] ne '' && &password_crypt($_[1], $uinfo[1]) eq $uinfo[1]) {
3175         return 1;
3176         }
3177
3178 return 0;       # Totally failed
3179 }
3180
3181 # validate_external_user(user, pass)
3182 # Validate a user by passing the username and password to an external
3183 # squid-style authentication program
3184 sub validate_external_user
3185 {
3186 return 0 if (!$config{'extauth'});
3187 flock(EXTAUTH, 2);
3188 local $str = "$_[0] $_[1]\n";
3189 syswrite(EXTAUTH, $str, length($str));
3190 local $resp = <EXTAUTH>;
3191 flock(EXTAUTH, 8);
3192 return $resp =~ /^OK/i ? 1 : 0;
3193 }
3194
3195 # can_user_login(username, no-append, host)
3196 # Checks if a user can login or not.
3197 # First return value is the username.
3198 # Second is 0 if cannot login, 1 if using Webmin pass, 2 if PAM, 3 if password
3199 # file, 4 if external.
3200 # Third is 1 if the user does not exist at all, 0 if he does.
3201 # Fourth is the Webmin username whose permissions apply, based on unixauth.
3202 # Fifth is a flag indicating if a sudo check is needed.
3203 sub can_user_login
3204 {
3205 local $uinfo = &get_user_details($_[0]);
3206 if (!$uinfo) {
3207         # See if this user exists in Unix and can be validated by the same
3208         # method as the unixauth webmin user
3209         local $realuser = $unixauth{$_[0]};
3210         local @uinfo;
3211         local $sudo = 0;
3212         local $pamany = 0;
3213         eval { @uinfo = getpwnam($_[0]); };     # may fail on windows
3214         if (!$realuser && @uinfo) {
3215                 # No unixauth entry for the username .. try his groups 
3216                 foreach my $ua (keys %unixauth) {
3217                         if ($ua =~ /^\@(.*)$/) {
3218                                 if (&is_group_member(\@uinfo, $1)) {
3219                                         $realuser = $unixauth{$ua};
3220                                         last;
3221                                         }
3222                                 }
3223                         }
3224                 }
3225         if (!$realuser && @uinfo) {
3226                 # Fall back to unix auth for all Unix users
3227                 $realuser = $unixauth{"*"};
3228                 }
3229         if (!$realuser && $use_sudo && @uinfo) {
3230                 # Allow login effectively as root, if sudo permits it
3231                 $sudo = 1;
3232                 $realuser = "root";
3233                 }
3234         if (!$realuser && !@uinfo && $config{'pamany'}) {
3235                 # If the user completely doesn't exist, we can still allow
3236                 # him to authenticate via PAM
3237                 $realuser = $config{'pamany'};
3238                 $pamany = 1;
3239                 }
3240         if (!$realuser) {
3241                 # For Usermin, always fall back to unix auth for any user,
3242                 # so that later checks with domain added / removed are done.
3243                 $realuser = $unixauth{"*"};
3244                 }
3245         return (undef, 0, 1, undef) if (!$realuser);
3246         local $uinfo = &get_user_details($realuser);
3247         return (undef, 0, 1, undef) if (!$uinfo);
3248         local $up = $uinfo->{'pass'};
3249
3250         # Work out possible domain names from the hostname
3251         local @doms = ( $_[2] );
3252         if ($_[2] =~ /^([^\.]+)\.(\S+)$/) {
3253                 push(@doms, $2);
3254                 }
3255
3256         if ($config{'user_mapping'} && !%user_mapping) {
3257                 # Read the user mapping file
3258                 %user_mapping = ();
3259                 open(MAPPING, $config{'user_mapping'});
3260                 while(<MAPPING>) {
3261                         s/\r|\n//g;
3262                         s/#.*$//;
3263                         if (/^(\S+)\s+(\S+)/) {
3264                                 if ($config{'user_mapping_reverse'}) {
3265                                         $user_mapping{$1} = $2;
3266                                         }
3267                                 else {
3268                                         $user_mapping{$2} = $1;
3269                                         }
3270                                 }
3271                         }
3272                 close(MAPPING);
3273                 }
3274
3275         # Check the user mapping file to see if there is an entry for the
3276         # user login in which specifies a new effective user
3277         local $um;
3278         foreach my $d (@doms) {
3279                 $um ||= $user_mapping{"$_[0]\@$d"};
3280                 }
3281         $um ||= $user_mapping{$_[0]};
3282         if (defined($um) && ($_[1]&4) == 0) {
3283                 # A mapping exists - use it!
3284                 return &can_user_login($um, $_[1]+4, $_[2]);
3285                 }
3286
3287         # Check if a user with the entered login and the domains appended
3288         # or prepended exists, and if so take it to be the effective user
3289         if (!@uinfo && $config{'domainuser'}) {
3290                 # Try again with name.domain and name.firstpart
3291                 local @firsts = map { /^([^\.]+)/; $1 } @doms;
3292                 if (($_[1]&1) == 0) {
3293                         local ($a, $p);
3294                         foreach $a (@firsts, @doms) {
3295                                 foreach $p ("$_[0].${a}", "$_[0]-${a}",
3296                                             "${a}.$_[0]", "${a}-$_[0]",
3297                                             "$_[0]_${a}", "${a}_$_[0]") {
3298                                         local @vu = &can_user_login(
3299                                                         $p, $_[1]+1, $_[2]);
3300                                         return @vu if ($vu[1]);
3301                                         }
3302                                 }
3303                         }
3304                 }
3305
3306         # Check if the user entered a domain at the end of his username when
3307         # he really shouldn't have, and if so try without it
3308         if (!@uinfo && $config{'domainstrip'} &&
3309             $_[0] =~ /^(\S+)\@(\S+)$/ && ($_[1]&2) == 0) {
3310                 local ($stripped, $dom) = ($1, $2);
3311                 local @vu = &can_user_login($stripped, $_[1] + 2, $_[2]);
3312                 return @vu if ($vu[1]);
3313                 local @vu = &can_user_login($stripped, $_[1] + 2, $dom);
3314                 return @vu if ($vu[1]);
3315                 }
3316
3317         return ( undef, 0, 1, undef ) if (!@uinfo && !$pamany);
3318
3319         if (@uinfo) {
3320                 if (defined(@allowusers)) {
3321                         # Only allow people on the allow list
3322                         return ( undef, 0, 0, undef )
3323                                 if (!&users_match(\@uinfo, @allowusers));
3324                         }
3325                 elsif (defined(@denyusers)) {
3326                         # Disallow people on the deny list
3327                         return ( undef, 0, 0, undef )
3328                                 if (&users_match(\@uinfo, @denyusers));
3329                         }
3330                 if ($config{'shells_deny'}) {
3331                         local $found = 0;
3332                         open(SHELLS, $config{'shells_deny'});
3333                         while(<SHELLS>) {
3334                                 s/\r|\n//g;
3335                                 s/#.*$//;
3336                                 $found++ if ($_ eq $uinfo[8]);
3337                                 }
3338                         close(SHELLS);
3339                         return ( undef, 0, 0, undef ) if (!$found);
3340                         }
3341                 }
3342
3343         if ($up eq 'x') {
3344                 # PAM or passwd file authentication
3345                 print DEBUG "can_user_login: Validate with PAM\n";
3346                 return ( $_[0], $use_pam ? 2 : 3, 0, $realuser, $sudo );
3347                 }
3348         elsif ($up eq 'e') {
3349                 # External authentication
3350                 print DEBUG "can_user_login: Validate externally\n";
3351                 return ( $_[0], 4, 0, $realuser, $sudo );
3352                 }
3353         else {
3354                 # Fixed Webmin password
3355                 print DEBUG "can_user_login: Validate by Webmin\n";
3356                 return ( $_[0], 1, 0, $realuser, $sudo );
3357                 }
3358         }
3359 elsif ($uinfo->{'pass'} eq 'x') {
3360         # Webmin user authenticated via PAM or password file
3361         return ( $_[0], $use_pam ? 2 : 3, 0, $_[0] );
3362         }
3363 elsif ($uinfo->{'pass'} eq 'e') {
3364         # Webmin user authenticated externally
3365         return ( $_[0], 4, 0, $_[0] );
3366         }
3367 else {
3368         # Normal Webmin user
3369         return ( $_[0], 1, 0, $_[0] );
3370         }
3371 }
3372
3373 # the PAM conversation function for interactive logins
3374 sub pam_conv_func
3375 {
3376 $pam_conv_func_called++;
3377 my @res;
3378 while ( @_ ) {
3379         my $code = shift;
3380         my $msg = shift;
3381         my $ans = "";
3382
3383         $ans = $pam_username if ($code == PAM_PROMPT_ECHO_ON() );
3384         $ans = $pam_password if ($code == PAM_PROMPT_ECHO_OFF() );
3385
3386         push @res, PAM_SUCCESS();
3387         push @res, $ans;
3388         }
3389 push @res, PAM_SUCCESS();
3390 return @res;
3391 }
3392
3393 sub urandom_timeout
3394 {
3395 close(RANDOM);
3396 }
3397
3398 # get_socket_name(handle)
3399 # Returns the local hostname or IP address of some connection
3400 sub get_socket_name
3401 {
3402 return $config{'host'} if ($config{'host'});
3403 local $sn = getsockname($_[0]);
3404 return undef if (!$sn);
3405 local $myaddr = (unpack_sockaddr_in($sn))[1];
3406 if (!$get_socket_name_cache{$myaddr}) {
3407         local $myname;
3408         if (!$config{'no_resolv_myname'}) {
3409                 $myname = gethostbyaddr($myaddr, AF_INET);
3410                 }
3411         if ($myname eq "") {
3412                 $myname = inet_ntoa($myaddr);
3413                 }
3414         $get_socket_name_cache{$myaddr} = $myname;
3415         }
3416 return $get_socket_name_cache{$myaddr};
3417 }
3418
3419 # run_login_script(username, sid, remoteip, localip)
3420 sub run_login_script
3421 {
3422 if ($config{'login_script'}) {
3423         system($config{'login_script'}.
3424                " ".join(" ", map { quotemeta($_) || '""' } @_).
3425                " >/dev/null 2>&1 </dev/null");
3426         }
3427 }
3428
3429 # run_logout_script(username, sid, remoteip, localip)
3430 sub run_logout_script
3431 {
3432 if ($config{'logout_script'}) {
3433         system($config{'logout_script'}.
3434                " ".join(" ", map { quotemeta($_) || '""' } @_).
3435                " >/dev/null 2>&1 </dev/null");
3436         }
3437 }
3438
3439 # close_all_sockets()
3440 # Closes all the main listening sockets
3441 sub close_all_sockets
3442 {
3443 local $s;
3444 foreach $s (@socketfhs) {
3445         close($s);
3446         }
3447 }
3448
3449 # close_all_pipes()
3450 # Close all pipes for talking to sub-processes
3451 sub close_all_pipes
3452 {
3453 local $p;
3454 foreach $p (@passin) { close($p); }
3455 foreach $p (@passout) { close($p); }
3456 foreach $p (values %conversations) {
3457         if ($p->{'PAMOUTr'}) {
3458                 close($p->{'PAMOUTr'});
3459                 close($p->{'PAMINw'});
3460                 }
3461         }
3462 }
3463
3464 # check_user_ip(user)
3465 # Returns 1 if some user is allowed to login from the accepting IP, 0 if not
3466 sub check_user_ip
3467 {
3468 local ($username) = @_;
3469 local $uinfo = &get_user_details($username);
3470 return 1 if (!$uinfo);
3471 if ($uinfo->{'deny'} &&
3472     &ip_match($acptip, $localip, @{$uinfo->{'deny'}}) ||
3473     $uinfo->{'allow'} &&
3474     !&ip_match($acptip, $localip, @{$uinfo->{'allow'}})) {
3475         return 0;
3476         }
3477 return 1;
3478 }
3479
3480 # check_user_time(user)
3481 # Returns 1 if some user is allowed to login at the current date and time
3482 sub check_user_time
3483 {
3484 local ($username) = @_;
3485 local $uinfo = &get_user_details($username);
3486 return 1 if (!$uinfo || !$uinfo->{'allowdays'} && !$uinfo->{'allowhours'});
3487 local @tm = localtime(time());
3488 if ($uinfo->{'allowdays'}) {
3489         # Make sure day is allowed
3490         return 0 if (&indexof($tm[6], @{$uinfo->{'allowdays'}}) < 0);
3491         }
3492 if ($uinfo->{'allowhours'}) {
3493         # Make sure time is allowed
3494         local $m = $tm[2]*60+$tm[1];
3495         return 0 if ($m < $uinfo->{'allowhours'}->[0] ||
3496                      $m > $uinfo->{'allowhours'}->[1]);
3497         }
3498 return 1;
3499 }
3500
3501 # generate_random_id(password, [force-urandom])
3502 # Returns a random session ID number
3503 sub generate_random_id
3504 {
3505 local ($pass, $force_urandom) = @_;
3506 local $sid;
3507 if (!$bad_urandom) {
3508         # First try /dev/urandom, unless we have marked it as bad
3509         $SIG{ALRM} = "miniserv::urandom_timeout";
3510         alarm(5);
3511         if (open(RANDOM, "/dev/urandom")) {
3512                 my $tmpsid;
3513                 if (read(RANDOM, $tmpsid, 16) == 16) {
3514                         $sid = lc(unpack('h*',$tmpsid));
3515                         }
3516                 close(RANDOM);
3517                 }
3518         alarm(0);
3519         }
3520 if (!$sid && !$force_urandom) {
3521         $sid = time();
3522         local $mul = 1;
3523         foreach $c (split(//, &unix_crypt($pass, substr($$, -2)))) {
3524                 $sid += ord($c) * $mul;
3525                 $mul *= 3;
3526                 }
3527         }
3528 return $sid;
3529 }
3530
3531 # handle_login(username, ok, expired, not-exists, password, [no-test-cookie])
3532 # Called from handle_session to either mark a user as logged in, or not
3533 sub handle_login
3534 {
3535 local ($vu, $ok, $expired, $nonexist, $pass, $notest) = @_;
3536 $authuser = $vu if ($ok);
3537
3538 # check if the test cookie is set
3539 if ($header{'cookie'} !~ /testing=1/ && $vu &&
3540     !$config{'no_testing_cookie'} && !$notest) {
3541         &http_error(500, "No cookies",
3542            "Your browser does not support cookies, ".
3543            "which are required for this web server to ".
3544            "work in session authentication mode");
3545         }
3546
3547 # check with main process for delay
3548 if ($config{'passdelay'} && $vu) {
3549         print DEBUG "handle_login: requesting delay vu=$vu acptip=$acptip ok=$ok\n";
3550         print $PASSINw "delay $vu $acptip $ok\n";
3551         <$PASSOUTr> =~ /(\d+) (\d+)/;
3552         $blocked = $2;
3553         sleep($1);
3554         print DEBUG "handle_login: delay=$1 blocked=$2\n";
3555         }
3556
3557 if ($ok && (!$expired ||
3558             $config{'passwd_mode'} == 1)) {
3559         # Logged in OK! Tell the main process about
3560         # the new SID
3561         local $sid = &generate_random_id($pass);
3562         print DEBUG "handle_login: sid=$sid\n";
3563         print $PASSINw "new $sid $authuser $acptip\n";
3564
3565         # Run the post-login script, if any
3566         &run_login_script($authuser, $sid,
3567                           $acptip, $localip);
3568
3569         # Check for a redirect URL for the user
3570         local $rurl = &login_redirect($authuser, $pass, $host);
3571         print DEBUG "handle_login: redirect URL rurl=$rurl\n";
3572         if ($rurl) {
3573                 # Got one .. go to it
3574                 &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
3575                 &write_data("Date: $datestr\r\n");
3576                 &write_data("Server: $config{'server'}\r\n");
3577                 &write_data("Location: $rurl\r\n");
3578                 &write_keep_alive(0);
3579                 &write_data("\r\n");
3580                 &log_request($acpthost, $authuser, $reqline, 302, 0);
3581                 }
3582         else {
3583                 # Set cookie and redirect to originally requested page
3584                 &write_data("HTTP/1.0 302 Moved Temporarily\r\n");
3585                 &write_data("Date: $datestr\r\n");
3586                 &write_data("Server: $config{'server'}\r\n");
3587                 local $ssl = $use_ssl || $config{'inetd_ssl'};
3588                 $portstr = $port == 80 && !$ssl ? "" :
3589                            $port == 443 && $ssl ? "" : ":$port";
3590                 $prot = $ssl ? "https" : "http";
3591                 local $sec = $ssl ? "; secure" : "";
3592                 #$sec .= "; httpOnly";
3593                 if ($in{'page'} !~ /^\/[A-Za-z0-9\/\.\-\_]+$/) {
3594                         # Make redirect URL safe
3595                         $in{'page'} = "/";
3596                         }
3597                 if ($in{'save'}) {
3598                         &write_data("Set-Cookie: $sidname=$sid; path=/; expires=\"Thu, 31-Dec-2037 00:00:00\"$sec\r\n");
3599                         }
3600                 else {
3601                         &write_data("Set-Cookie: $sidname=$sid; path=/$sec\r\n");
3602                         }
3603                 &write_data("Location: $prot://$host$portstr$in{'page'}\r\n");
3604                 &write_keep_alive(0);
3605                 &write_data("\r\n");
3606                 &log_request($acpthost, $authuser, $reqline, 302, 0);
3607                 syslog("info", "%s", "Successful login as $authuser from $acpthost") if ($use_syslog);
3608                 &write_login_utmp($authuser, $acpthost);
3609                 }
3610         return 0;
3611         }
3612 elsif ($ok && $expired &&
3613        ($config{'passwd_mode'} == 2 || $expired == 2)) {
3614         # Login was ok, but password has expired or was temporary. Need
3615         # to force display of password change form.
3616         $validated = 1;
3617         $authuser = undef;
3618         $querystring = "&user=".&urlize($vu).
3619                        "&pam=".$use_pam.
3620                        "&expired=".$expired;
3621         $method = "GET";
3622         $queryargs = "";
3623         $page = $config{'password_form'};
3624         $logged_code = 401;
3625         $miniserv_internal = 2;
3626         syslog("crit", "%s",
3627                 "Expired login as $vu ".
3628                 "from $acpthost") if ($use_syslog);
3629         }
3630 else {
3631         # Login failed, or password has expired. The login form will be
3632         # displayed again by later code
3633         $failed_user = $vu;
3634         $request_uri = $in{'page'};
3635         $already_session_id = undef;
3636         $method = "GET";
3637         $authuser = $baseauthuser = undef;
3638         syslog("crit", "%s",
3639                 ($nonexist ? "Non-existent" :
3640                  $expired ? "Expired" : "Invalid").
3641                 " login as $vu from $acpthost")
3642                 if ($use_syslog);
3643         }
3644 return undef;
3645 }
3646
3647 # write_login_utmp(user, host)
3648 # Record the login by some user in utmp
3649 sub write_login_utmp
3650 {
3651 if ($write_utmp) {
3652         # Write utmp record for login
3653         %utmp = ( 'ut_host' => $_[1],
3654                   'ut_time' => time(),
3655                   'ut_user' => $_[0],
3656                   'ut_type' => 7,       # user process
3657                   'ut_pid' => $main_process_id,
3658                   'ut_line' => $config{'pam'},
3659                   'ut_id' => '' );
3660         if (defined(&User::Utmp::putut)) {
3661                 User::Utmp::putut(\%utmp);
3662                 }
3663         else {
3664                 User::Utmp::pututline(\%utmp);
3665                 }
3666         }
3667 }
3668
3669 # write_logout_utmp(user, host)
3670 # Record the logout by some user in utmp
3671 sub write_logout_utmp
3672 {
3673 if ($write_utmp) {
3674         # Write utmp record for logout
3675         %utmp = ( 'ut_host' => $_[1],
3676                   'ut_time' => time(),
3677                   'ut_user' => $_[0],
3678                   'ut_type' => 8,       # dead process
3679                   'ut_pid' => $main_process_id,
3680                   'ut_line' => $config{'pam'},
3681                   'ut_id' => '' );
3682         if (defined(&User::Utmp::putut)) {
3683                 User::Utmp::putut(\%utmp);
3684                 }
3685         else {
3686                 User::Utmp::pututline(\%utmp);
3687                 }
3688         }
3689 }
3690
3691 # pam_conversation_process(username, write-pipe, read-pipe)
3692 # This function is called inside a sub-process to communicate with PAM. It sends
3693 # questions down one pipe, and reads responses from another
3694 sub pam_conversation_process
3695 {
3696 local ($user, $writer, $reader) = @_;
3697 $miniserv::pam_conversation_process_writer = $writer;
3698 $miniserv::pam_conversation_process_reader = $reader;
3699 eval "use Authen::PAM;";
3700 local $convh = new Authen::PAM(
3701         $config{'pam'}, $user, \&miniserv::pam_conversation_process_func);
3702 local $pam_ret = $convh->pam_authenticate();
3703 if ($pam_ret == PAM_SUCCESS()) {
3704         local $acct_ret = $convh->pam_acct_mgmt();
3705         if ($acct_ret == PAM_SUCCESS()) {
3706                 $convh->pam_open_session();
3707                 print $writer "x2 $user 1 0 0\n";
3708                 }
3709         elsif ($acct_ret == PAM_NEW_AUTHTOK_REQD() ||
3710                $acct_ret == PAM_ACCT_EXPIRED()) {
3711                 print $writer "x2 $user 1 1 0\n";
3712                 }
3713         else {
3714                 print $writer "x0 Unknown PAM account status $acct_ret\n";
3715                 }
3716         }
3717 else {
3718         print $writer "x2 $user 0 0 0\n";
3719         }
3720 exit(0);
3721 }
3722
3723 # pam_conversation_process_func(type, message, [type, message, ...])
3724 # A pipe that talks to both PAM and the master process
3725 sub pam_conversation_process_func
3726 {
3727 local @rv;
3728 select($miniserv::pam_conversation_process_writer); $| = 1; select(STDOUT);
3729 while(@_) {
3730         local ($type, $msg) = (shift, shift);
3731         $msg =~ s/\r|\n//g;
3732         local $ok = (print $miniserv::pam_conversation_process_writer "$type $msg\n");
3733         print $miniserv::pam_conversation_process_writer "\n";
3734         local $answer = <$miniserv::pam_conversation_process_reader>;
3735         $answer =~ s/\r|\n//g;
3736         push(@rv, PAM_SUCCESS(), $answer);
3737         }
3738 push(@rv, PAM_SUCCESS());
3739 return @rv;
3740 }
3741
3742 # allocate_pipes()
3743 # Returns 4 new pipe file handles
3744 sub allocate_pipes
3745 {
3746 local ($PASSINr, $PASSINw, $PASSOUTr, $PASSOUTw);
3747 local $p;
3748 local %taken = ( (map { $_, 1 } @passin),
3749                  (map { $_->{'PASSINr'} } values %conversations) );
3750 for($p=0; $taken{"PASSINr$p"}; $p++) { }
3751 $PASSINr = "PASSINr$p";
3752 $PASSINw = "PASSINw$p";
3753 $PASSOUTr = "PASSOUTr$p";
3754 $PASSOUTw = "PASSOUTw$p";
3755 pipe($PASSINr, $PASSINw);
3756 pipe($PASSOUTr, $PASSOUTw);
3757 select($PASSINw); $| = 1;
3758 select($PASSINr); $| = 1;
3759 select($PASSOUTw); $| = 1;
3760 select($PASSOUTw); $| = 1;
3761 select(STDOUT);
3762 return ($PASSINr, $PASSINw, $PASSOUTr, $PASSOUTw);
3763 }
3764
3765 # recv_pam_question(&conv, fd)
3766 # Reads one PAM question from the sub-process, and sends it to the HTTP handler.
3767 # Returns 0 if the conversation is over, 1 if not.
3768 sub recv_pam_question
3769 {
3770 local ($conf, $fh) = @_;
3771 local $pr = $conf->{'PAMOUTr'};
3772 select($pr); $| = 1; select(STDOUT);
3773 local $line = <$pr>;
3774 $line =~ s/\r|\n//g;
3775 if (!$line) {
3776         $line = <$pr>;
3777         $line =~ s/\r|\n//g;
3778         }
3779 $conf->{'last'} = time();
3780 if (!$line) {
3781         # Failed!
3782         print $fh "0 PAM conversation error\n";
3783         return 0;
3784         }
3785 else {
3786         local ($type, $msg) = split(/\s+/, $line, 2);
3787         if ($type =~ /^x(\d+)/) {
3788                 # Pass this status code through
3789                 print $fh "$1 $msg\n";
3790                 return $1 == 2 || $1 == 0 ? 0 : 1;
3791                 }
3792         elsif ($type == PAM_PROMPT_ECHO_ON()) {
3793                 # A normal question
3794                 print $fh "1 $msg\n";
3795                 return 1;
3796                 }
3797         elsif ($type == PAM_PROMPT_ECHO_OFF()) {
3798                 # A password
3799                 print $fh "3 $msg\n";
3800                 return 1;
3801                 }
3802         elsif ($type == PAM_ERROR_MSG() || $type == PAM_TEXT_INFO()) {
3803                 # A message that does not require a response
3804                 print $fh "4 $msg\n";
3805                 return 1;
3806                 }
3807         else {
3808                 # Unknown type!
3809                 print $fh "0 Unknown PAM message type $type\n";
3810                 return 0;
3811                 }
3812         }
3813 }
3814
3815 # send_pam_answer(&conv, answer)
3816 # Sends a response from the user to the PAM sub-process
3817 sub send_pam_answer
3818 {
3819 local ($conf, $answer) = @_;
3820 local $pw = $conf->{'PAMINw'};
3821 $conf->{'last'} = time();
3822 print $pw "$answer\n";
3823 }
3824
3825 # end_pam_conversation(&conv)
3826 # Clean up PAM conversation pipes and processes
3827 sub end_pam_conversation
3828 {
3829 local ($conv) = @_;
3830 kill('KILL', $conv->{'pid'}) if ($conv->{'pid'});
3831 if ($conv->{'PAMINr'}) {
3832         close($conv->{'PAMINr'});
3833         close($conv->{'PAMOUTr'});
3834         close($conv->{'PAMINw'});
3835         close($conv->{'PAMOUTw'});
3836         }
3837 delete($conversations{$conv->{'cid'}});
3838 }
3839
3840 # get_ipkeys(&miniserv)
3841 # Returns a list of IP address to key file mappings from a miniserv.conf entry
3842 sub get_ipkeys
3843 {
3844 local (@rv, $k);
3845 foreach $k (keys %{$_[0]}) {
3846         if ($k =~ /^ipkey_(\S+)/) {
3847                 local $ipkey = { 'ips' => [ split(/,/, $1) ],
3848                                  'key' => $_[0]->{$k},
3849                                  'index' => scalar(@rv) };
3850                 $ipkey->{'cert'} = $_[0]->{'ipcert_'.$1};
3851                 push(@rv, $ipkey);
3852                 }
3853         }
3854 return @rv;
3855 }
3856
3857 # create_ssl_context(keyfile, [certfile])
3858 sub create_ssl_context
3859 {
3860 local ($keyfile, $certfile) = @_;
3861 local $ssl_ctx;
3862 eval { $ssl_ctx = Net::SSLeay::new_x_ctx() };
3863 $ssl_ctx ||= Net::SSLeay::CTX_new();
3864 $ssl_ctx || die "Failed to create SSL context : $!";
3865 if ($client_certs) {
3866         Net::SSLeay::CTX_load_verify_locations(
3867                 $ssl_ctx, $config{'ca'}, "");
3868         Net::SSLeay::CTX_set_verify(
3869                 $ssl_ctx, &Net::SSLeay::VERIFY_PEER, \&verify_client);
3870         }
3871 if ($config{'extracas'}) {
3872         local $p;
3873         foreach $p (split(/\s+/, $config{'extracas'})) {
3874                 Net::SSLeay::CTX_load_verify_locations(
3875                         $ssl_ctx, $p, "");
3876                 }
3877         }
3878
3879 Net::SSLeay::CTX_use_RSAPrivateKey_file(
3880         $ssl_ctx, $keyfile,
3881         &Net::SSLeay::FILETYPE_PEM) || die "Failed to open SSL key $keyfile";
3882 Net::SSLeay::CTX_use_certificate_file(
3883         $ssl_ctx, $certfile || $keyfile,
3884         &Net::SSLeay::FILETYPE_PEM) || die "Failed to open SSL cert $certfile";
3885
3886 return $ssl_ctx;
3887 }
3888
3889 # ssl_connection_for_ip(socket)
3890 # Returns a new SSL connection object for some socket, or undef if failed
3891 sub ssl_connection_for_ip
3892 {
3893 local ($sock) = @_;
3894 local $sn = getsockname($sock);
3895 if (!$sn) {
3896         print STDERR "Failed to get address for socket $sock\n";
3897         return undef;
3898         }
3899 local $myip = inet_ntoa((unpack_sockaddr_in($sn))[1]);
3900 local $ssl_ctx = $ssl_contexts{$myip} || $ssl_contexts{"*"};
3901 local $ssl_con = Net::SSLeay::new($ssl_ctx);
3902 if ($config{'ssl_cipher_list'}) {
3903         # Force use of ciphers
3904         eval "Net::SSLeay::set_cipher_list(
3905                         \$ssl_con, \$config{'ssl_cipher_list'})";
3906         if ($@) {
3907                 print STDERR "SSL cipher $config{'ssl_cipher_list'} failed : ",
3908                              "$@\n";
3909                 }
3910         else {
3911                 }
3912         }
3913 Net::SSLeay::set_fd($ssl_con, fileno($sock));
3914 if (!Net::SSLeay::accept($ssl_con)) {
3915         print STDERR "Failed to initialize SSL connection\n";
3916         return undef;
3917         }
3918 return $ssl_con;
3919 }
3920
3921 # login_redirect(username, password, host)
3922 # Calls the login redirect script (if configured), which may output a URL to
3923 # re-direct a user to after logging in.
3924 sub login_redirect
3925 {
3926 return undef if (!$config{'login_redirect'});
3927 local $quser = quotemeta($_[0]);
3928 local $qpass = quotemeta($_[1]);
3929 local $qhost = quotemeta($_[2]);
3930 local $url = `$config{'login_redirect'} $quser $qpass $qhost`;
3931 chop($url);
3932 return $url;
3933 }
3934
3935 # reload_config_file()
3936 # Re-read %config, and call post-config actions
3937 sub reload_config_file
3938 {
3939 &log_error("Reloading configuration");
3940 %config = &read_config_file($config_file);
3941 &update_vital_config();
3942 &read_users_file();
3943 &read_mime_types();
3944 &build_config_mappings();
3945 &read_webmin_crons();
3946 if ($config{'session'}) {
3947         dbmclose(%sessiondb);
3948         dbmopen(%sessiondb, $config{'sessiondb'}, 0700);
3949         }
3950 }
3951
3952 # read_config_file(file)
3953 # Reads the given config file, and returns a hash of values
3954 sub read_config_file
3955 {
3956 local %rv;
3957 open(CONF, $_[0]) || die "Failed to open config file $_[0] : $!";
3958 while(<CONF>) {
3959         s/\r|\n//g;
3960         if (/^#/ || !/\S/) { next; }
3961         /^([^=]+)=(.*)$/;
3962         $name = $1; $val = $2;
3963         $name =~ s/^\s+//g; $name =~ s/\s+$//g;
3964         $val =~ s/^\s+//g; $val =~ s/\s+$//g;
3965         $rv{$name} = $val;
3966         }
3967 close(CONF);
3968 return %rv;
3969 }
3970
3971 # update_vital_config()
3972 # Updates %config with defaults, and dies if something vital is missing
3973 sub update_vital_config
3974 {
3975 my %vital = ("port", 80,
3976           "root", "./",
3977           "server", "MiniServ/0.01",
3978           "index_docs", "index.html index.htm index.cgi index.php",
3979           "addtype_html", "text/html",
3980           "addtype_txt", "text/plain",
3981           "addtype_gif", "image/gif",
3982           "addtype_jpg", "image/jpeg",
3983           "addtype_jpeg", "image/jpeg",
3984           "realm", "MiniServ",
3985           "session_login", "/session_login.cgi",
3986           "pam_login", "/pam_login.cgi",
3987           "password_form", "/password_form.cgi",
3988           "password_change", "/password_change.cgi",
3989           "maxconns", 50,
3990           "pam", "webmin",
3991           "sidname", "sid",
3992           "unauth", "^/unauthenticated/ ^/robots.txt\$ ^[A-Za-z0-9\\-/_]+\\.jar\$ ^[A-Za-z0-9\\-/_]+\\.class\$ ^[A-Za-z0-9\\-/_]+\\.gif\$ ^[A-Za-z0-9\\-/_]+\\.conf\$ ^[A-Za-z0-9\\-/_]+\\.ico\$ ^/robots.txt\$",
3993           "max_post", 10000,
3994           "expires", 7*24*60*60,
3995           "pam_test_user", "root",
3996          );
3997 foreach my $v (keys %vital) {
3998         if (!$config{$v}) {
3999                 if ($vital{$v} eq "") {
4000                         die "Missing config option $v";
4001                         }
4002                 $config{$v} = $vital{$v};
4003                 }
4004         }
4005 if (!$config{'sessiondb'}) {
4006         $config{'pidfile'} =~ /^(.*)\/[^\/]+$/;
4007         $config{'sessiondb'} = "$1/sessiondb";
4008         }
4009 if (!$config{'errorlog'}) {
4010         $config{'logfile'} =~ /^(.*)\/[^\/]+$/;
4011         $config{'errorlog'} = "$1/miniserv.error";
4012         }
4013 if (!$config{'tempbase'}) {
4014         $config{'pidfile'} =~ /^(.*)\/[^\/]+$/;
4015         $config{'tempbase'} = "$1/cgitemp";
4016         }
4017 if (!$config{'blockedfile'}) {
4018         $config{'pidfile'} =~ /^(.*)\/[^\/]+$/;
4019         $config{'blockedfile'} = "$1/blocked";
4020         }
4021 if (!$config{'webmincron_dir'}) {
4022         $config_file =~ /^(.*)\/[^\/]+$/;
4023         $config{'webmincron_dir'} = "$1/webmincron/crons";
4024         }
4025 if (!$config{'webmincron_last'}) {
4026         $config{'logfile'} =~ /^(.*)\/[^\/]+$/;
4027         $config{'webmincron_last'} = "$1/miniserv.lastcrons";
4028         }
4029 if (!$config{'webmincron_wrapper'}) {
4030         $config{'webmincron_wrapper'} = $config{'root'}.
4031                                         "/webmincron/webmincron.pl";
4032         }
4033 }
4034
4035 # read_users_file()
4036 # Fills the %users and %certs hashes from the users file in %config
4037 sub read_users_file
4038 {
4039 undef(%users);
4040 undef(%certs);
4041 undef(%allow);
4042 undef(%deny);
4043 undef(%allowdays);
4044 undef(%allowhours);
4045 undef(%lastchanges);
4046 undef(%nochange);
4047 undef(%temppass);
4048 if ($config{'userfile'}) {
4049         open(USERS, $config{'userfile'});
4050         while(<USERS>) {
4051                 s/\r|\n//g;
4052                 local @user = split(/:/, $_, -1);
4053                 $users{$user[0]} = $user[1];
4054                 $certs{$user[0]} = $user[3] if ($user[3]);
4055                 if ($user[4] =~ /^allow\s+(.*)/) {
4056                         $allow{$user[0]} = $config{'alwaysresolve'} ?
4057                                 [ split(/\s+/, $1) ] :
4058                                 [ &to_ipaddress(split(/\s+/, $1)) ];
4059                         }
4060                 elsif ($user[4] =~ /^deny\s+(.*)/) {
4061                         $deny{$user[0]} = $config{'alwaysresolve'} ?
4062                                 [ split(/\s+/, $1) ] :
4063                                 [ &to_ipaddress(split(/\s+/, $1)) ];
4064                         }
4065                 if ($user[5] =~ /days\s+(\S+)/) {
4066                         $allowdays{$user[0]} = [ split(/,/, $1) ];
4067                         }
4068                 if ($user[5] =~ /hours\s+(\d+)\.(\d+)-(\d+).(\d+)/) {
4069                         $allowhours{$user[0]} = [ $1*60+$2, $3*60+$4 ];
4070                         }
4071                 $lastchanges{$user[0]} = $user[6];
4072                 $nochange{$user[0]} = $user[9];
4073                 $temppass{$user[0]} = $user[10];
4074                 }
4075         close(USERS);
4076         }
4077
4078 # Test user DB, if configured
4079 if ($config{'userdb'}) {
4080         my $dbh = &connect_userdb($config{'userdb'});
4081         if (!ref($dbh)) {
4082                 print STDERR "Failed to open users database : $dbh\n"
4083                 }
4084         else {
4085                 &disconnect_userdb($config{'userdb'}, $dbh);
4086                 }
4087         }
4088 }
4089
4090 # get_user_details(username)
4091 # Returns a hash ref of user details, either from config files or the user DB
4092 sub get_user_details
4093 {
4094 my ($username) = @_;
4095 if (exists($users{$username})) {
4096         # In local files
4097         return { 'name' => $username,
4098                  'pass' => $users{$username},
4099                  'certs' => $certs{$username},
4100                  'allow' => $allow{$username},
4101                  'deny' => $deny{$username},
4102                  'allowdays' => $allowdays{$username},
4103                  'allowhours' => $allowhours{$username},
4104                  'lastchanges' => $lastchanges{$username},
4105                  'nochange' => $nochange{$username},
4106                  'temppass' => $temppass{$username},
4107                  'preroot' => $config{'preroot_'.$username},
4108                };
4109         }
4110 if ($config{'userdb'}) {
4111         # Try querying user database
4112         if (exists($get_user_details_cache{$username})) {
4113                 # Cached already
4114                 return $get_user_details_cache{$username};
4115                 }
4116         print DEBUG "get_user_details: Connecting to user database\n";
4117         my ($dbh, $proto, $prefix, $args) = &connect_userdb($config{'userdb'});
4118         my $user;
4119         my %attrs;
4120         if (!ref($dbh)) {
4121                 print DEBUG "get_user_details: Failed : $dbh\n";
4122                 print STDERR "Failed to connect to user database : $dbh\n";
4123                 }
4124         elsif ($proto eq "mysql" || $proto eq "postgresql") {
4125                 # Fetch user ID and password with SQL
4126                 print DEBUG "get_user_details: Looking for $username in SQL\n";
4127                 my $cmd = $dbh->prepare(
4128                         "select id,pass from webmin_user where name = ?");
4129                 if (!$cmd || !$cmd->execute($username)) {
4130                         print STDERR "Failed to lookup user : ",
4131                                      $dbh->errstr,"\n";
4132                         return undef;
4133                         }
4134                 my ($id, $pass) = $cmd->fetchrow();
4135                 $cmd->finish();
4136                 if (!$id) {
4137                         &disconnect_userdb($config{'userdb'}, $dbh);
4138                         $get_user_details_cache{$username} = undef;
4139                         print DEBUG "get_user_details: User not found\n";
4140                         return undef;
4141                         }
4142                 print DEBUG "get_user_details: id=$id pass=$pass\n";
4143
4144                 # Fetch attributes and add to user object
4145                 print DEBUG "get_user_details: finding user attributes\n";
4146                 my $cmd = $dbh->prepare(
4147                         "select attr,value from webmin_user_attr where id = ?");
4148                 if (!$cmd || !$cmd->execute($id)) {
4149                         print STDERR "Failed to lookup user attrs : ",
4150                                      $dbh->errstr,"\n";
4151                         return undef;
4152                         }
4153                 $user = { 'name' => $username,
4154                           'id' => $id,
4155                           'pass' => $pass,
4156                           'proto' => $proto };
4157                 while(my ($attr, $value) = $cmd->fetchrow()) {
4158                         $attrs{$attr} = $value;
4159                         }
4160                 $cmd->finish();
4161                 }
4162         elsif ($proto eq "ldap") {
4163                 # Fetch user DN with LDAP
4164                 print DEBUG "get_user_details: Looking for $username in LDAP\n";
4165                 my $rv = $dbh->search(
4166                         base => $prefix,
4167                         filter => '(&(cn='.$username.')(objectClass='.
4168                                   $args->{'userclass'}.'))',
4169                         scope => 'sub');
4170                 if (!$rv || $rv->code) {
4171                         print STDERR "Failed to lookup user : ",
4172                                      ($rv ? $rv->error : "Unknown error"),"\n";
4173                         return undef;
4174                         }
4175                 my ($u) = $rv->all_entries();
4176                 if (!$u) {
4177                         &disconnect_userdb($config{'userdb'}, $dbh);
4178                         $get_user_details_cache{$username} = undef;
4179                         print DEBUG "get_user_details: User not found\n";
4180                         return undef;
4181                         }
4182
4183                 # Extract attributes
4184                 my $pass = $u->get_value('webminPass');
4185                 $user = { 'name' => $username,
4186                           'id' => $u->dn(),
4187                           'pass' => $pass,
4188                           'proto' => $proto };
4189                 foreach my $la ($u->get_value('webminAttr')) {
4190                         my ($attr, $value) = split(/=/, $la, 2);
4191                         $attrs{$attr} = $value;
4192                         }
4193                 }
4194
4195         # Convert DB attributes into user object fields
4196         if ($user) {
4197                 print DEBUG "get_user_details: got ",scalar(keys %attrs),
4198                             " attributes\n";
4199                 $user->{'certs'} = $attrs{'cert'};
4200                 if ($attrs{'allow'}) {
4201                         $user->{'allow'} = $config{'alwaysresolve'} ?
4202                                 [ split(/\s+/, $attrs{'allow'}) ] :
4203                                 [ &to_ipaddress(split(/\s+/,$attrs{'allow'})) ];
4204                         }
4205                 if ($attrs{'deny'}) {
4206                         $user->{'deny'} = $config{'alwaysresolve'} ?
4207                                 [ split(/\s+/, $attrs{'deny'}) ] :
4208                                 [ &to_ipaddress(split(/\s+/,$attrs{'deny'})) ];
4209                         }
4210                 if ($attrs{'days'}) {
4211                         $user->{'allowdays'} = [ split(/,/, $attrs{'days'}) ];
4212                         }
4213                 if ($attrs{'hoursfrom'} && $attrs{'hoursto'}) {
4214                         my ($hf, $mf) = split(/\./, $attrs{'hoursfrom'});
4215                         my ($ht, $mt) = split(/\./, $attrs{'hoursto'});
4216                         $user->{'allowhours'} = [ $hf*60+$ht, $ht*60+$mt ];
4217                         }
4218                 $user->{'lastchanges'} = $attrs{'lastchange'};
4219                 $user->{'nochange'} = $attrs{'nochange'};
4220                 $user->{'temppass'} = $attrs{'temppass'};
4221                 $user->{'preroot'} = $attrs{'theme'};
4222                 }
4223         &disconnect_userdb($config{'userdb'}, $dbh);
4224         $get_user_details_cache{$user->{'name'}} = $user;
4225         return $user;
4226         }
4227 return undef;
4228 }
4229
4230 # find_user_by_cert(cert)
4231 # Returns a username looked up by certificate
4232 sub find_user_by_cert
4233 {
4234 my ($peername) = @_;
4235 my $peername2 = $peername;
4236 $peername2 =~ s/Email=/emailAddress=/ || $peername2 =~ s/emailAddress=/Email=/;
4237
4238 # First check users in local files
4239 foreach my $username (keys %certs) {
4240         if ($certs{$username} eq $peername ||
4241             $certs{$username} eq $peername2) {
4242                 return $username;
4243                 }
4244         }
4245
4246 # Check user DB
4247 if ($config{'userdb'}) {
4248         my ($dbh, $proto) = &connect_userdb($config{'userdb'});
4249         if (!ref($dbh)) {
4250                 return undef;
4251                 }
4252         elsif ($proto eq "mysql" || $proto eq "postgresql") {
4253                 # Query with SQL
4254                 my $cmd = $dbh->prepare("select webmin_user.name from webmin_user,webmin_user_attr where webmin_user.id = webmin_user_attr.id and webmin_user_attr.attr = 'cert' and webmin_user_attr.value = ?");
4255                 return undef if (!$cmd);
4256                 foreach my $p ($peername, $peername2) {
4257                         my $username;
4258                         if ($cmd->execute($p)) {
4259                                 ($username) = $cmd->fetchrow();
4260                                 }
4261                         $cmd->finish();
4262                         return $username if ($username);
4263                         }
4264                 }
4265         elsif ($proto eq "ldap") {
4266                 # Lookup in LDAP
4267                 my $rv = $dbh->search(
4268                         base => $prefix,
4269                         filter => '(objectClass='.
4270                                   $args->{'userclass'}.')',
4271                         scope => 'sub',
4272                         attrs => [ 'cn', 'webminAttr' ]);
4273                 if ($rv && !$rv->code) {
4274                         foreach my $u ($rv->all_entries) {
4275                                 my @attrs = $u->get_value('webminAttr');
4276                                 foreach my $la (@attrs) {
4277                                         my ($attr, $value) = split(/=/, $la, 2);
4278                                         if ($attr eq "cert" &&
4279                                             ($value eq $peername ||
4280                                              $value eq $peername2)) {
4281                                                 return $u->get_value('cn');
4282                                                 }
4283                                         }
4284                                 }
4285                         }
4286                 }
4287         }
4288 return undef;
4289 }
4290
4291 # connect_userdb(string)
4292 # Returns a handle for talking to a user database - may be a DBI or LDAP handle.
4293 # On failure returns an error message string. In an array context, returns the
4294 # protocol type too.
4295 sub connect_userdb
4296 {
4297 my ($str) = @_;
4298 my ($proto, $user, $pass, $host, $prefix, $args) = &split_userdb_string($str);
4299 if ($proto eq "mysql") {
4300         # Connect to MySQL with DBI
4301         my $drh = eval "use DBI; DBI->install_driver('mysql');";
4302         $drh || return $text{'sql_emysqldriver'};
4303         my ($host, $port) = split(/:/, $host);
4304         my $cstr = "database=$prefix;host=$host";
4305         $cstr .= ";port=$port" if ($port);
4306         print DEBUG "connect_userdb: Connecting to MySQL $cstr as $user\n";
4307         my $dbh = $drh->connect($cstr, $user, $pass, { });
4308         $dbh || return &text('sql_emysqlconnect', $drh->errstr);
4309         print DEBUG "connect_userdb: Connected OK\n";
4310         return wantarray ? ($dbh, $proto, $prefix, $args) : $dbh;
4311         }
4312 elsif ($proto eq "postgresql") {
4313         # Connect to PostgreSQL with DBI
4314         my $drh = eval "use DBI; DBI->install_driver('Pg');";
4315         $drh || return $text{'sql_epostgresqldriver'};
4316         my ($host, $port) = split(/:/, $host);
4317         my $cstr = "dbname=$prefix;host=$host";
4318         $cstr .= ";port=$port" if ($port);
4319         print DEBUG "connect_userdb: Connecting to PostgreSQL $cstr as $user\n";
4320         my $dbh = $drh->connect($cstr, $user, $pass);
4321         $dbh || return &text('sql_epostgresqlconnect', $drh->errstr);
4322         print DEBUG "connect_userdb: Connected OK\n";
4323         return wantarray ? ($dbh, $proto, $prefix, $args) : $dbh;
4324         }
4325 elsif ($proto eq "ldap") {
4326         # Connect with perl LDAP module
4327         eval "use Net::LDAP";
4328         $@ && return $text{'sql_eldapdriver'};
4329         my ($host, $port) = split(/:/, $host);
4330         my $scheme = $args->{'scheme'} || 'ldap';
4331         if (!$port) {
4332                 $port = $scheme eq 'ldaps' ? 636 : 389;
4333                 }
4334         my $ldap = Net::LDAP->new($host,
4335                                   port => $port,
4336                                   'scheme' => $scheme);
4337         $ldap || return &text('sql_eldapconnect', $host);
4338         my $mesg;
4339         if ($args->{'tls'}) {
4340                 # Switch to TLS mode
4341                 eval { $mesg = $ldap->start_tls(); };
4342                 if ($@ || !$mesg || $mesg->code) {
4343                         return &text('sql_eldaptls',
4344                             $@ ? $@ : $mesg ? $mesg->error : "Unknown error");
4345                         }
4346                 }
4347         # Login to the server
4348         if ($pass) {
4349                 $mesg = $ldap->bind(dn => $user, password => $pass);
4350                 }
4351         else {
4352                 $mesg = $ldap->bind(dn => $user, anonymous => 1);
4353                 }
4354         if (!$mesg || $mesg->code) {
4355                 return &text('sql_eldaplogin', $user,
4356                              $mesg ? $mesg->error : "Unknown error");
4357                 }
4358         return wantarray ? ($ldap, $proto, $prefix, $args) : $ldap;
4359         }
4360 else {
4361         return "Unknown protocol $proto";
4362         }
4363 }
4364
4365 # split_userdb_string(string)
4366 # Converts a string like mysql://user:pass@host/db into separate parts
4367 sub split_userdb_string
4368 {
4369 my ($str) = @_;
4370 if ($str =~ /^([a-z]+):\/\/([^:]*):([^\@]*)\@([a-z0-9\.\-\_]+)\/([^\?]+)(\?(.*))?$/) {
4371         my ($proto, $user, $pass, $host, $prefix, $argstr) =
4372                 ($1, $2, $3, $4, $5, $7);
4373         my %args = map { split(/=/, $_, 2) } split(/\&/, $argstr);
4374         return ($proto, $user, $pass, $host, $prefix, \%args);
4375         }
4376 return ( );
4377 }
4378
4379 # disconnect_userdb(string, &handle)
4380 # Closes a handle opened by connect_userdb
4381 sub disconnect_userdb
4382 {
4383 my ($str, $h) = @_;
4384 if ($str =~ /^(mysql|postgresql):/) {
4385         # DBI disconnnect
4386         $h->disconnect();
4387         }
4388 elsif ($str =~ /^ldap:/) {
4389         # LDAP disconnect
4390         $h->disconnect();
4391         }
4392 }
4393
4394 # read_mime_types()
4395 # Fills %mime with entries from file in %config and extra settings in %config
4396 sub read_mime_types
4397 {
4398 undef(%mime);
4399 if ($config{"mimetypes"} ne "") {
4400         open(MIME, $config{"mimetypes"});
4401         while(<MIME>) {
4402                 chop; s/#.*$//;
4403                 if (/^(\S+)\s+(.*)$/) {
4404                         my $type = $1;
4405                         my @exts = split(/\s+/, $2);
4406                         foreach my $ext (@exts) {
4407                                 $mime{$ext} = $type;
4408                                 }
4409                         }
4410                 }
4411         close(MIME);
4412         }
4413 foreach my $k (keys %config) {
4414         if ($k !~ /^addtype_(.*)$/) { next; }
4415         $mime{$1} = $config{$k};
4416         }
4417 }
4418
4419 # build_config_mappings()
4420 # Build the anonymous access list, IP access list, unauthenticated URLs list,
4421 # redirect mapping and allow and deny lists from %config
4422 sub build_config_mappings
4423 {
4424 # build anonymous access list
4425 undef(%anonymous);
4426 foreach my $a (split(/\s+/, $config{'anonymous'})) {
4427         if ($a =~ /^([^=]+)=(\S+)$/) {
4428                 $anonymous{$1} = $2;
4429                 }
4430         }
4431
4432 # build IP access list
4433 undef(%ipaccess);
4434 foreach my $a (split(/\s+/, $config{'ipaccess'})) {
4435         if ($a =~ /^([^=]+)=(\S+)$/) {
4436                 $ipaccess{$1} = $2;
4437                 }
4438         }
4439
4440 # build unauthenticated URLs list
4441 @unauth = split(/\s+/, $config{'unauth'});
4442
4443 # build redirect mapping
4444 undef(%redirect);
4445 foreach my $r (split(/\s+/, $config{'redirect'})) {
4446         if ($r =~ /^([^=]+)=(\S+)$/) {
4447                 $redirect{$1} = $2;
4448                 }
4449         }
4450
4451 # build prefixes to be stripped
4452 undef(@strip_prefix);
4453 foreach my $r (split(/\s+/, $config{'strip_prefix'})) {
4454         push(@strip_prefix, $r);
4455         }
4456
4457 # Init allow and deny lists
4458 @deny = split(/\s+/, $config{"deny"});
4459 @deny = &to_ipaddress(@deny) if (!$config{'alwaysresolve'});
4460 @allow = split(/\s+/, $config{"allow"});
4461 @allow = &to_ipaddress(@allow) if (!$config{'alwaysresolve'});
4462 undef(@allowusers);
4463 undef(@denyusers);
4464 if ($config{'allowusers'}) {
4465         @allowusers = split(/\s+/, $config{'allowusers'});
4466         }
4467 elsif ($config{'denyusers'}) {
4468         @denyusers = split(/\s+/, $config{'denyusers'});
4469         }
4470
4471 # Build list of unixauth mappings
4472 undef(%unixauth);
4473 foreach my $ua (split(/\s+/, $config{'unixauth'})) {
4474         if ($ua =~ /^(\S+)=(\S+)$/) {
4475                 $unixauth{$1} = $2;
4476                 }
4477         else {
4478                 $unixauth{"*"} = $ua;
4479                 }
4480         }
4481
4482 # Build list of non-session-auth pages
4483 undef(%sessiononly);
4484 foreach my $sp (split(/\s+/, $config{'sessiononly'})) {
4485         $sessiononly{$sp} = 1;
4486         }
4487
4488 # Build list of logout times
4489 undef(@logouttimes);
4490 foreach my $a (split(/\s+/, $config{'logouttimes'})) {
4491         if ($a =~ /^([^=]+)=(\S+)$/) {
4492                 push(@logouttimes, [ $1, $2 ]);
4493                 }
4494         }
4495 push(@logouttimes, [ undef, $config{'logouttime'} ]);
4496
4497 # Build list of DAV pathss
4498 undef(@davpaths);
4499 foreach my $d (split(/\s+/, $config{'davpaths'})) {
4500         push(@davpaths, $d);
4501         }
4502 @davusers = split(/\s+/, $config{'dav_users'});
4503
4504 # Mobile agent substrings and hostname prefixes
4505 @mobile_agents = split(/\t+/, $config{'mobile_agents'});
4506 @mobile_prefixes = split(/\s+/, $config{'mobile_prefixes'});
4507
4508 # Open debug log
4509 close(DEBUG);
4510 if ($config{'debug'}) {
4511         open(DEBUG, ">>$config{'debug'}");
4512         }
4513 else {
4514         open(DEBUG, ">/dev/null");
4515         }
4516
4517 # Reset cache of sudo checks
4518 undef(%sudocache);
4519 }
4520
4521 # is_group_member(&uinfo, groupname)
4522 # Returns 1 if some user is a primary or secondary member of a group
4523 sub is_group_member
4524 {
4525 local ($uinfo, $group) = @_;
4526 local @ginfo = getgrnam($group);
4527 return 0 if (!@ginfo);
4528 return 1 if ($ginfo[2] == $uinfo->[3]); # primary member
4529 foreach my $m (split(/\s+/, $ginfo[3])) {
4530         return 1 if ($m eq $uinfo->[0]);
4531         }
4532 return 0;
4533 }
4534
4535 # prefix_to_mask(prefix)
4536 # Converts a number like 24 to a mask like 255.255.255.0
4537 sub prefix_to_mask
4538 {
4539 return $_[0] >= 24 ? "255.255.255.".(256-(2 ** (32-$_[0]))) :
4540        $_[0] >= 16 ? "255.255.".(256-(2 ** (24-$_[0]))).".0" :
4541        $_[0] >= 8 ? "255.".(256-(2 ** (16-$_[0]))).".0.0" :
4542                      (256-(2 ** (8-$_[0]))).".0.0.0";
4543 }
4544
4545 # get_logout_time(user, session-id)
4546 # Given a username, returns the idle time before he will be logged out
4547 sub get_logout_time
4548 {
4549 local ($user, $sid) = @_;
4550 if (!defined($logout_time_cache{$user,$sid})) {
4551         local $time;
4552         foreach my $l (@logouttimes) {
4553                 if ($l->[0] =~ /^\@(.*)$/) {
4554                         # Check group membership
4555                         local @uinfo = getpwnam($user);
4556                         if (@uinfo && &is_group_member(\@uinfo, $1)) {
4557                                 $time = $l->[1];
4558                                 }
4559                         }
4560                 elsif ($l->[0] =~ /^\//) {
4561                         # Check file contents
4562                         open(FILE, $l->[0]);
4563                         while(<FILE>) {
4564                                 s/\r|\n//g;
4565                                 s/^\s*#.*$//;
4566                                 if ($user eq $_) {
4567                                         $time = $l->[1];
4568                                         last;
4569                                         }
4570                                 }
4571                         close(FILE);
4572                         }
4573                 elsif (!$l->[0]) {
4574                         # Always match
4575                         $time = $l->[1];
4576                         }
4577                 else {
4578                         # Check username
4579                         if ($l->[0] eq $user) {
4580                                 $time = $l->[1];
4581                                 }
4582                         }
4583                 last if (defined($time));
4584                 }
4585         $logout_time_cache{$user,$sid} = $time;
4586         }
4587 return $logout_time_cache{$user,$sid};
4588 }
4589
4590 # password_crypt(password, salt)
4591 # If the salt looks like MD5 and we have a library for it, perform MD5 hashing
4592 # of a password. Otherwise, do Unix crypt.
4593 sub password_crypt
4594 {
4595 local ($pass, $salt) = @_;
4596 if ($salt =~ /^\$1\$/ && $use_md5) {
4597         return &encrypt_md5($pass, $salt);
4598         }
4599 else {
4600         return &unix_crypt($pass, $salt);
4601         }
4602 }
4603
4604 # unix_crypt(password, salt)
4605 # Performs standard Unix hashing for a password
4606 sub unix_crypt
4607 {
4608 local ($pass, $salt) = @_;
4609 if ($use_perl_crypt) {
4610         return Crypt::UnixCrypt::crypt($pass, $salt);
4611         }
4612 else {
4613         return crypt($pass, $salt);
4614         }
4615 }
4616
4617 # handle_dav_request(davpath)
4618 # Pass a request on to the Net::DAV::Server module
4619 sub handle_dav_request
4620 {
4621 local ($path) = @_;
4622 eval "use Filesys::Virtual::Plain";
4623 eval "use Net::DAV::Server";
4624 eval "use HTTP::Request";
4625 eval "use HTTP::Headers";
4626
4627 if ($Net::DAV::Server::VERSION eq '1.28' && $config{'dav_nolock'}) {
4628         delete $Net::DAV::Server::implemented{lock};
4629         delete $Net::DAV::Server::implemented{unlock};
4630         }
4631
4632 # Read in request data
4633 if (!$posted_data) {
4634         local $clen = $header{"content-length"};
4635         while(length($posted_data) < $clen) {
4636                 $buf = &read_data($clen - length($posted_data));
4637                 if (!length($buf)) {
4638                         &http_error(500, "Failed to read POST request");
4639                         }
4640                 $posted_data .= $buf;
4641                 }
4642         }
4643
4644 # For subsequent logging
4645 open(MINISERVLOG, ">>$config{'logfile'}");
4646
4647 # Switch to user
4648 local $root;
4649 local @u = getpwnam($authuser);
4650 if ($config{'dav_remoteuser'} && !$< && $validated) {
4651         if (@u) {
4652                 if ($u[2] != 0) {
4653                         $( = $u[3]; $) = "$u[3] $u[3]";
4654                         ($>, $<) = ($u[2], $u[2]);
4655                         }
4656                 if ($config{'dav_root'} eq '*') {
4657                         $root = $u[7];
4658                         }
4659                 }
4660         else {
4661                 &http_error(500, "Unix user $authuser does not exist");
4662                 return 0;
4663                 }
4664         }
4665 $root ||= $config{'dav_root'};
4666 $root ||= "/";
4667
4668 # Check if this user can use DAV
4669 if (@davusers) {
4670         &users_match(\@u, @davusers) ||
4671                 &http_error(500, "You are not allowed to access DAV");
4672         }
4673
4674 # Create DAV server
4675 my $filesys = Filesys::Virtual::Plain->new({root_path => $root});
4676 my $webdav = Net::DAV::Server->new();
4677 $webdav->filesys($filesys);
4678
4679 # Make up a request object, and feed to DAV
4680 local $ho = HTTP::Headers->new;
4681 foreach my $h (keys %header) {
4682         next if (lc($h) eq "connection");
4683         $ho->header($h => $header{$h});
4684         }
4685 if ($path ne "/") {
4686         $request_uri =~ s/^\Q$path\E//;
4687         $request_uri = "/" if ($request_uri eq "");
4688         }
4689 my $request = HTTP::Request->new($method, $request_uri, $ho,
4690                                  $posted_data);
4691 if ($config{'dav_debug'}) {
4692         print STDERR "DAV request :\n";
4693         print STDERR "---------------------------------------------\n";
4694         print STDERR $request->as_string();
4695         print STDERR "---------------------------------------------\n";
4696         }
4697 my $response = $webdav->run($request);
4698
4699 # Send back the reply
4700 &write_data("HTTP/1.1 ",$response->code()," ",$response->message(),"\r\n");
4701 local $content = $response->content();
4702 if ($path ne "/") {
4703         $content =~ s|href>/(.+)<|href>$path/$1<|g;
4704         $content =~ s|href>/<|href>$path<|g;
4705         }
4706 foreach my $h ($response->header_field_names) {
4707         next if (lc($h) eq "connection" || lc($h) eq "content-length");
4708         &write_data("$h: ",$response->header($h),"\r\n");
4709         }
4710 &write_data("Content-length: ",length($content),"\r\n");
4711 local $rv = &write_keep_alive(0);
4712 &write_data("\r\n");
4713 &write_data($content);
4714
4715 if ($config{'dav_debug'}) {
4716         print STDERR "DAV reply :\n";
4717         print STDERR "---------------------------------------------\n";
4718         print STDERR "HTTP/1.1 ",$response->code()," ",$response->message(),"\r\n";
4719         foreach my $h ($response->header_field_names) {
4720                 next if (lc($h) eq "connection" || lc($h) eq "content-length");
4721                 print STDERR "$h: ",$response->header($h),"\r\n";
4722                 }
4723         print STDERR "Content-length: ",length($content),"\r\n";
4724         print STDERR "\r\n";
4725         print STDERR $content;
4726         print STDERR "---------------------------------------------\n";
4727         }
4728
4729 # Log it
4730 &log_request($acpthost, $authuser, $reqline, $response->code(), 
4731              length($response->content()));
4732 }
4733
4734 # get_system_hostname()
4735 # Returns the hostname of this system, for reporting to listeners
4736 sub get_system_hostname
4737 {
4738 # On Windows, try computername environment variable
4739 return $ENV{'computername'} if ($ENV{'computername'});
4740 return $ENV{'COMPUTERNAME'} if ($ENV{'COMPUTERNAME'});
4741
4742 # If a specific command is set, use it first
4743 if ($config{'hostname_command'}) {
4744         local $out = `($config{'hostname_command'}) 2>&1`;
4745         if (!$?) {
4746                 $out =~ s/\r|\n//g;
4747                 return $out;
4748                 }
4749         }
4750
4751 # First try the hostname command
4752 local $out = `hostname 2>&1`;
4753 if (!$? && $out =~ /\S/) {
4754         $out =~ s/\r|\n//g;
4755         return $out;
4756         }
4757
4758 # Try the Sys::Hostname module
4759 eval "use Sys::Hostname";
4760 if (!$@) {
4761         local $rv = eval "hostname()";
4762         if (!$@ && $rv) {
4763                 return $rv;
4764                 }
4765         }
4766
4767 # Must use net name on Windows
4768 local $out = `net name 2>&1`;
4769 if ($out =~ /\-+\r?\n(\S+)/) {
4770         return $1;
4771         }
4772
4773 return undef;
4774 }
4775
4776 # indexof(string, array)
4777 # Returns the index of some value in an array, or -1
4778 sub indexof {
4779   local($i);
4780   for($i=1; $i <= $#_; $i++) {
4781     if ($_[$i] eq $_[0]) { return $i - 1; }
4782   }
4783   return -1;
4784 }
4785
4786
4787 # has_command(command)
4788 # Returns the full path if some command is in the path, undef if not
4789 sub has_command
4790 {
4791 local($d);
4792 if (!$_[0]) { return undef; }
4793 if (exists($has_command_cache{$_[0]})) {
4794         return $has_command_cache{$_[0]};
4795         }
4796 local $rv = undef;
4797 if ($_[0] =~ /^\//) {
4798         $rv = -x $_[0] ? $_[0] : undef;
4799         }
4800 else {
4801         local $sp = $on_windows ? ';' : ':';
4802         foreach $d (split($sp, $ENV{PATH})) {
4803                 if (-x "$d/$_[0]") {
4804                         $rv = "$d/$_[0]";
4805                         last;
4806                         }
4807                 if ($on_windows) {
4808                         foreach my $sfx (".exe", ".com", ".bat") {
4809                                 if (-r "$d/$_[0]".$sfx) {
4810                                         $rv = "$d/$_[0]".$sfx;
4811                                         last;
4812                                         }
4813                                 }
4814                         }
4815                 }
4816         }
4817 $has_command_cache{$_[0]} = $rv;
4818 return $rv;
4819 }
4820
4821 # check_sudo_permissions(user, pass)
4822 # Returns 1 if some user can run any command via sudo
4823 sub check_sudo_permissions
4824 {
4825 local ($user, $pass) = @_;
4826
4827 # First try the pipes
4828 if ($PASSINw) {
4829         print DEBUG "check_sudo_permissions: querying cache for $user\n";
4830         print $PASSINw "readsudo $user\n";
4831         local $can = <$PASSOUTr>;
4832         chop($can);
4833         print DEBUG "check_sudo_permissions: cache said $can\n";
4834         if ($can =~ /^\d+$/ && $can != 2) {
4835                 return int($can);
4836                 }
4837         }
4838
4839 local $ptyfh = new IO::Pty;
4840 print DEBUG "check_sudo_permissions: ptyfh=$ptyfh\n";
4841 if (!$ptyfh) {
4842         print STDERR "Failed to create new PTY with IO::Pty\n";
4843         return 0;
4844         }
4845 local @uinfo = getpwnam($user);
4846 if (!@uinfo) {
4847         print STDERR "Unix user $user does not exist for sudo\n";
4848         return 0;
4849         }
4850
4851 # Execute sudo in a sub-process, via a pty
4852 local $ttyfh = $ptyfh->slave();
4853 print DEBUG "check_sudo_permissions: ttyfh=$ttyfh\n";
4854 local $tty = $ptyfh->ttyname();
4855 print DEBUG "check_sudo_permissions: tty=$tty\n";
4856 chown($uinfo[2], $uinfo[3], $tty);
4857 pipe(SUDOr, SUDOw);
4858 print DEBUG "check_sudo_permissions: about to fork..\n";
4859 local $pid = fork();
4860 print DEBUG "check_sudo_permissions: fork=$pid pid=$$\n";
4861 if ($pid < 0) {
4862         print STDERR "fork for sudo failed : $!\n";
4863         return 0;
4864         }
4865 if (!$pid) {
4866         setsid();
4867         $ptyfh->make_slave_controlling_terminal();
4868         close(STDIN); close(STDOUT); close(STDERR);
4869         untie(*STDIN); untie(*STDOUT); untie(*STDERR);
4870         close($PASSINw); close($PASSOUTr);
4871         $( = $uinfo[3]; $) = "$uinfo[3] $uinfo[3]";
4872         ($>, $<) = ($uinfo[2], $uinfo[2]);
4873
4874         close(SUDOw);
4875         close(SOCK);
4876         close(MAIN);
4877         open(STDIN, "<&SUDOr");
4878         open(STDOUT, ">$tty");
4879         open(STDERR, ">&STDOUT");
4880         close($ptyfh);
4881         exec("sudo -l -S");
4882         print "Exec failed : $!\n";
4883         exit 1;
4884         }
4885 print DEBUG "check_sudo_permissions: pid=$pid\n";
4886 close(SUDOr);
4887 $ptyfh->close_slave();
4888
4889 # Send password, and get back response
4890 local $oldfh = select(SUDOw);
4891 $| = 1;
4892 select($oldfh);
4893 print DEBUG "check_sudo_permissions: about to send pass\n";
4894 local $SIG{'PIPE'} = 'ignore';  # Sometimes sudo doesn't ask for a password
4895 print SUDOw $pass,"\n";
4896 print DEBUG "check_sudo_permissions: sent pass=$pass\n";
4897 close(SUDOw);
4898 local $out;
4899 while(<$ptyfh>) {
4900         print DEBUG "check_sudo_permissions: got $_";
4901         $out .= $_;
4902         }
4903 close($ptyfh);
4904 kill('KILL', $pid);
4905 waitpid($pid, 0);
4906 local ($ok) = ($out =~ /\(ALL\)\s+ALL/ ? 1 : 0);
4907
4908 # Update cache
4909 if ($PASSINw) {
4910         print $PASSINw "writesudo $user $ok\n";
4911         }
4912
4913 return $ok;
4914 }
4915
4916 # is_mobile_useragent(agent)
4917 # Returns 1 if some user agent looks like a cellphone or other mobile device,
4918 # such as a treo.
4919 sub is_mobile_useragent
4920 {
4921 local ($agent) = @_;
4922 local @prefixes = ( 
4923     "UP.Link",    # Openwave
4924     "Nokia",      # All Nokias start with Nokia
4925     "MOT-",       # All Motorola phones start with MOT-
4926     "SAMSUNG",    # Samsung browsers
4927     "Samsung",    # Samsung browsers
4928     "SEC-",       # Samsung browsers
4929     "AU-MIC",     # Samsung browsers
4930     "AUDIOVOX",   # Audiovox
4931     "BlackBerry", # BlackBerry
4932     "hiptop",     # Danger hiptop Sidekick
4933     "SonyEricsson", # Sony Ericsson
4934     "Ericsson",     # Old Ericsson browsers , mostly WAP
4935     "Mitsu/1.1.A",  # Mitsubishi phones
4936     "Panasonic WAP", # Panasonic old WAP phones
4937     "DoCoMo",     # DoCoMo phones
4938     "Lynx",       # Lynx text-mode linux browser
4939     "Links",      # Another text-mode linux browser
4940     );
4941 local @substrings = (
4942     "UP.Browser",         # Openwave
4943     "MobilePhone",        # NetFront
4944     "AU-MIC-A700",        # Samsung A700 Obigo browsers
4945     "Danger hiptop",      # Danger Sidekick hiptop
4946     "Windows CE",         # Windows CE Pocket PC
4947     "IEMobile",           # Windows mobile browser
4948     "Blazer",             # Palm Treo Blazer
4949     "BlackBerry",         # BlackBerries can emulate other browsers, but
4950                           # they still keep this string in the UserAgent
4951     "SymbianOS",          # New Series60 browser has safari in it and
4952                           # SymbianOS is the only distinguishing string
4953     "iPhone",             # Apple iPhone KHTML browser
4954     "iPod",               # iPod touch browser
4955     "MobileSafari",       # HTTP client in iPhone
4956     "Android",            # gPhone
4957     "Opera Mini",         # Opera Mini
4958     "HTC_P3700",          # HTC mobile device
4959     "Pre/",               # Palm Pre
4960     "webOS/",             # Palm WebOS
4961     "Nintendo DS",        # DSi / DSi-XL
4962     );
4963 foreach my $p (@prefixes) {
4964         return 1 if ($agent =~ /^\Q$p\E/);
4965         }
4966 foreach my $s (@substrings, @mobile_agents) {
4967         return 1 if ($agent =~ /\Q$s\E/);
4968         }
4969 return 0;
4970 }
4971
4972 # write_blocked_file()
4973 # Writes out a text file of blocked hosts and users
4974 sub write_blocked_file
4975 {
4976 open(BLOCKED, ">$config{'blockedfile'}");
4977 foreach my $d (grep { $hostfail{$_} } @deny) {
4978         print BLOCKED "host $d $hostfail{$d} $blockhosttime{$d}\n";
4979         }
4980 foreach my $d (grep { $userfail{$_} } @denyusers) {
4981         print BLOCKED "user $d $userfail{$d} $blockusertime{$d}\n";
4982         }
4983 close(BLOCKED);
4984 chmod(0700, $config{'blockedfile'});
4985 }
4986
4987 sub write_pid_file
4988 {
4989 open(PIDFILE, ">$config{'pidfile'}");
4990 printf PIDFILE "%d\n", getpid();
4991 close(PIDFILE);
4992 $miniserv_main_pid = getpid();
4993 }
4994
4995 # lock_user_password(user)
4996 # Updates a user's password file entry to lock it, both in memory and on disk.
4997 # Returns 1 if done, -1 if no such user, 0 if already locked
4998 sub lock_user_password
4999 {
5000 local ($user) = @_;
5001 local $uinfo = &get_user_details($user);
5002 if (!$uinfo) {
5003         # No such user!
5004         return -1;
5005         }
5006 if ($uinfo->{'pass'} =~ /^\!/) {
5007         # Already locked
5008         return 0;
5009         }
5010 if (!$uinfo->{'proto'}) {
5011         # Write to users file
5012         $users{$user} = "!".$users{$user};
5013         open(USERS, $config{'userfile'});
5014         local @ufile = <USERS>;
5015         close(USERS);
5016         foreach my $u (@ufile) {
5017                 local @uinfo = split(/:/, $u);
5018                 if ($uinfo[0] eq $user) {
5019                         $uinfo[1] = $users{$user};
5020                         }
5021                 $u = join(":", @uinfo);
5022                 }
5023         open(USERS, ">$config{'userfile'}");
5024         print USERS @ufile;
5025         close(USERS);
5026         return 0;
5027         }
5028
5029 if ($config{'userdb'}) {
5030         # Update user DB
5031         my ($dbh, $proto, $prefix, $args) = &connect_userdb($config{'userdb'});
5032         if (!$dbh) {
5033                 return -1;
5034                 }
5035         elsif ($proto eq "mysql" || $proto eq "postgresql") {
5036                 # Update user attribute
5037                 my $cmd = $dbh->prepare(
5038                         "update webmin_user set pass = ? where id = ?");
5039                 if (!$cmd || !$cmd->execute("!".$uinfo->{'pass'},
5040                                             $uinfo->{'id'})) {
5041                         # Update failed
5042                         print STDERR "Failed to lock password : ",
5043                                      $dbh->errstr,"\n";
5044                         return -1;
5045                         }
5046                 $cmd->finish() if ($cmd);
5047                 }
5048         elsif ($proto eq "ldap") {
5049                 # Update LDAP object
5050                 my $rv = $dbh->modify($uinfo->{'id'},
5051                       replace => { 'webminPass' => '!'.$uinfo->{'pass'} });
5052                 if (!$rv || $rv->code) {
5053                         print STDERR "Failed to lock password : ",
5054                                      ($rv ? $rv->error : "Unknown error"),"\n";
5055                         return -1;
5056                         }
5057                 }
5058         &disconnect_userdb($config{'userdb'}, $dbh);
5059         return 0;
5060         }
5061
5062 return -1;      # This should never be reached
5063 }
5064
5065 # hash_session_id(sid)
5066 # Returns an MD5 or Unix-crypted session ID
5067 sub hash_session_id
5068 {
5069 local ($sid) = @_;
5070 if (!$hash_session_id_cache{$sid}) {
5071         if ($use_md5) {
5072                 # Take MD5 hash
5073                 $hash_session_id_cache{$sid} = &encrypt_md5($sid);
5074                 }
5075         else {
5076                 # Unix crypt
5077                 $hash_session_id_cache{$sid} = &unix_crypt($sid, "XX");
5078                 }
5079         }
5080 return $hash_session_id_cache{$sid};
5081 }
5082
5083 # encrypt_md5(string, [salt])
5084 # Returns a string encrypted in MD5 format
5085 sub encrypt_md5
5086 {
5087 local ($passwd, $salt) = @_;
5088 local $magic = '$1$';
5089 if ($salt =~ /^\$1\$([^\$]+)/) {
5090         # Extract actual salt from already encrypted password
5091         $salt = $1;
5092         }
5093
5094 # Add the password
5095 local $ctx = eval "new $use_md5";
5096 $ctx->add($passwd);
5097 if ($salt) {
5098         $ctx->add($magic);
5099         $ctx->add($salt);
5100         }
5101
5102 # Add some more stuff from the hash of the password and salt
5103 local $ctx1 = eval "new $use_md5";
5104 $ctx1->add($passwd);
5105 if ($salt) {
5106         $ctx1->add($salt);
5107         }
5108 $ctx1->add($passwd);
5109 local $final = $ctx1->digest();
5110 for($pl=length($passwd); $pl>0; $pl-=16) {
5111         $ctx->add($pl > 16 ? $final : substr($final, 0, $pl));
5112         }
5113
5114 # This piece of code seems rather pointless, but it's in the C code that
5115 # does MD5 in PAM so it has to go in!
5116 local $j = 0;
5117 local ($i, $l);
5118 for($i=length($passwd); $i; $i >>= 1) {
5119         if ($i & 1) {
5120                 $ctx->add("\0");
5121                 }
5122         else {
5123                 $ctx->add(substr($passwd, $j, 1));
5124                 }
5125         }
5126 $final = $ctx->digest();
5127
5128 if ($salt) {
5129         # This loop exists only to waste time
5130         for($i=0; $i<1000; $i++) {
5131                 $ctx1 = eval "new $use_md5";
5132                 $ctx1->add($i & 1 ? $passwd : $final);
5133                 $ctx1->add($salt) if ($i % 3);
5134                 $ctx1->add($passwd) if ($i % 7);
5135                 $ctx1->add($i & 1 ? $final : $passwd);
5136                 $final = $ctx1->digest();
5137                 }
5138         }
5139
5140 # Convert the 16-byte final string into a readable form
5141 local $rv;
5142 local @final = map { ord($_) } split(//, $final);
5143 $l = ($final[ 0]<<16) + ($final[ 6]<<8) + $final[12];
5144 $rv .= &to64($l, 4);
5145 $l = ($final[ 1]<<16) + ($final[ 7]<<8) + $final[13];
5146 $rv .= &to64($l, 4);
5147 $l = ($final[ 2]<<16) + ($final[ 8]<<8) + $final[14];
5148 $rv .= &to64($l, 4);
5149 $l = ($final[ 3]<<16) + ($final[ 9]<<8) + $final[15];
5150 $rv .= &to64($l, 4);
5151 $l = ($final[ 4]<<16) + ($final[10]<<8) + $final[ 5];
5152 $rv .= &to64($l, 4);
5153 $l = $final[11];
5154 $rv .= &to64($l, 2);
5155
5156 # Add salt if needed
5157 if ($salt) {
5158         return $magic.$salt.'$'.$rv;
5159         }
5160 else {
5161         return $rv;
5162         }
5163 }
5164
5165 sub to64
5166 {
5167 local ($v, $n) = @_;
5168 local $r;
5169 while(--$n >= 0) {
5170         $r .= $itoa64[$v & 0x3f];
5171         $v >>= 6;
5172         }
5173 return $r;
5174 }
5175
5176 # read_file(file, &assoc, [&order], [lowercase])
5177 # Fill an associative array with name=value pairs from a file
5178 sub read_file
5179 {
5180 open(ARFILE, $_[0]) || return 0;
5181 while(<ARFILE>) {
5182         s/\r|\n//g;
5183         if (!/^#/ && /^([^=]*)=(.*)$/) {
5184                 $_[1]->{$_[3] ? lc($1) : $1} = $2;
5185                 push(@{$_[2]}, $1) if ($_[2]);
5186                 }
5187         }
5188 close(ARFILE);
5189 return 1;
5190 }
5191  
5192 # write_file(file, array)
5193 # Write out the contents of an associative array as name=value lines
5194 sub write_file
5195 {
5196 local(%old, @order);
5197 &read_file($_[0], \%old, \@order);
5198 open(ARFILE, ">$_[0]");
5199 foreach $k (@order) {
5200         print ARFILE $k,"=",$_[1]->{$k},"\n" if (exists($_[1]->{$k}));
5201         }
5202 foreach $k (keys %{$_[1]}) {
5203         print ARFILE $k,"=",$_[1]->{$k},"\n" if (!exists($old{$k}));
5204         }
5205 close(ARFILE);
5206 }
5207
5208 # execute_ready_webmin_crons()
5209 # Find and run any cron jobs that are due, based on their last run time and
5210 # execution interval
5211 sub execute_ready_webmin_crons
5212 {
5213 my $now = time();
5214 my $changed = 0;
5215 foreach my $cron (@webmincrons) {
5216         my $run = 0;
5217         if (!$webmincron_last{$cron->{'id'}}) {
5218                 # If not ever run before, don't run right away
5219                 $webmincron_last{$cron->{'id'}} = $now;
5220                 $changed = 1;
5221                 }
5222         elsif ($cron->{'interval'} &&
5223                $now - $webmincron_last{$cron->{'id'}} > $cron->{'interval'}) {
5224                 # Older than interval .. time to run
5225                 $run = 1;
5226                 }
5227         elsif ($cron->{'mins'}) {
5228                 # Check if current time matches spec, and we haven't run in the
5229                 # last minute
5230                 my @tm = localtime($now);
5231                 if (&matches_cron($cron->{'mins'}, $tm[1]) &&
5232                     &matches_cron($cron->{'hours'}, $tm[2]) &&
5233                     &matches_cron($cron->{'days'}, $tm[3]) &&
5234                     &matches_cron($cron->{'months'}, $tm[4]+1) &&
5235                     &matches_cron($cron->{'weekdays'}, $tm[6]) &&
5236                     $now - $webmincron_last{$cron->{'id'}} > 60) {
5237                         $run = 1;
5238                         }
5239                 }
5240
5241         if ($run) {
5242                 print DEBUG "Running cron id=$cron->{'id'} ".
5243                             "module=$cron->{'module'} func=$cron->{'func'}\n";
5244                 $webmincron_last{$cron->{'id'}} = $now;
5245                 $changed = 1;
5246                 my $pid = fork();
5247                 if (!$pid) {
5248                         # Run via a wrapper command, which we run like a CGI
5249
5250                         # Setup CGI-like environment
5251                         $envtz = $ENV{"TZ"};
5252                         $envuser = $ENV{"USER"};
5253                         $envpath = $ENV{"PATH"};
5254                         $envlang = $ENV{"LANG"};
5255                         $envroot = $ENV{"SystemRoot"};
5256                         $envperllib = $ENV{'PERLLIB'};
5257                         foreach my $k (keys %ENV) {
5258                                 delete($ENV{$k});
5259                                 }
5260                         $ENV{"PATH"} = $envpath if ($envpath);
5261                         $ENV{"TZ"} = $envtz if ($envtz);
5262                         $ENV{"USER"} = $envuser if ($envuser);
5263                         $ENV{"OLD_LANG"} = $envlang if ($envlang);
5264                         $ENV{"SystemRoot"} = $envroot if ($envroot);
5265                         $ENV{'PERLLIB'} = $envperllib if ($envperllib);
5266                         $ENV{"HOME"} = $user_homedir;
5267                         $ENV{"SERVER_SOFTWARE"} = $config{"server"};
5268                         $ENV{"SERVER_ADMIN"} = $config{"email"};
5269                         $root0 = $roots[0];
5270                         $ENV{"SERVER_ROOT"} = $root0;
5271                         $ENV{"SERVER_REALROOT"} = $root0;
5272                         $ENV{"SERVER_PORT"} = $config{'port'};
5273                         $ENV{"WEBMIN_CRON"} = 1;
5274                         $ENV{"DOCUMENT_ROOT"} = $root0;
5275                         $ENV{"DOCUMENT_REALROOT"} = $root0;
5276                         $ENV{"MINISERV_CONFIG"} = $config_file;
5277                         $ENV{"HTTPS"} = "ON" if ($use_ssl);
5278                         $ENV{"MINISERV_PID"} = $miniserv_main_pid;
5279                         $ENV{"SCRIPT_FILENAME"} = $config{'webmincron_wrapper'};
5280                         if ($ENV{"SCRIPT_FILENAME"} =~ /^\Q$root0\E(\/.*)$/) {
5281                                 $ENV{"SCRIPT_NAME"} = $1;
5282                                 }
5283                         $config{'webmincron_wrapper'} =~ /^(.*)\//;
5284                         $ENV{"PWD"} = $1;
5285                         foreach $k (keys %config) {
5286                                 if ($k =~ /^env_(\S+)$/) {
5287                                         $ENV{$1} = $config{$k};
5288                                         }
5289                                 }
5290                         chdir($ENV{"PWD"});
5291                         $SIG{'CHLD'} = 'DEFAULT';
5292                         eval {
5293                                 # Have SOCK closed if the perl exec's something
5294                                 use Fcntl;
5295                                 fcntl(SOCK, F_SETFD, FD_CLOEXEC);
5296                                 };
5297
5298                         # Run the wrapper script by evaling it
5299                         $pkg = "webmincron";
5300                         $0 = $config{'webmincron_wrapper'};
5301                         @ARGV = ( $cron );
5302                         $main_process_id = $$;
5303                         eval "
5304                                 \%pkg::ENV = \%ENV;
5305                                 package $pkg;
5306                                 do \$miniserv::config{'webmincron_wrapper'};
5307                                 die \$@ if (\$@);
5308                                 ";
5309                         if ($@) {
5310                                 print STDERR "Perl cron failure : $@\n";
5311                                 }
5312
5313                         exit(0);
5314                         }
5315                 push(@childpids, $pid);
5316                 }
5317         }
5318 if ($changed) {
5319         # Write out file containing last run times
5320         &write_file($config{'webmincron_last'}, \%webmincron_last);
5321         }
5322 }
5323
5324 # matches_cron(cron-spec, time)
5325 # Checks if some minute or hour matches some cron spec, which can be * or a list
5326 # of numbers.
5327 sub matches_cron
5328 {
5329 my ($spec, $tm) = @_;
5330 if ($spec eq '*') {
5331         return 1;
5332         }
5333 else {
5334         foreach my $s (split(/,/, $spec)) {
5335                 if ($s == $tm ||
5336                     $s =~ /^(\d+)\-(\d+)$/ && $tm >= $1 && $tm <= $2) {
5337                         return 1;
5338                         }
5339                 }
5340         return 0;
5341         }
5342 }
5343
5344 # read_webmin_crons()
5345 # Read all scheduled webmin cron functions and store them in the @webmincrons
5346 # global list
5347 sub read_webmin_crons
5348 {
5349 @webmincrons = ( );
5350 opendir(CRONS, $config{'webmincron_dir'});
5351 print DEBUG "Reading crons from $config{'webmincron_dir'}\n";
5352 foreach my $f (readdir(CRONS)) {
5353         if ($f =~ /^(\d+)\.cron$/) {
5354                 my %cron;
5355                 &read_file("$config{'webmincron_dir'}/$f", \%cron);
5356                 $cron{'id'} = $1;
5357                 my $broken = 0;
5358                 foreach my $n ('module', 'func') {
5359                         if (!$cron{$n}) {
5360                                 print STDERR "Cron $1 missing $n\n";
5361                                 $broken = 1;
5362                                 }
5363                         }
5364                 if (!$cron{'interval'} && !$cron{'mins'} && !$cron{'special'}) {
5365                         print STDERR "Cron $1 missing any time spec\n";
5366                         $broken = 1;
5367                         }
5368                 if ($cron{'special'} eq 'hourly') {
5369                         # Run every hour on the hour
5370                         $cron{'mins'} = 0;
5371                         $cron{'hours'} = '*';
5372                         $cron{'days'} = '*';
5373                         $cron{'months'} = '*';
5374                         $cron{'weekdays'} = '*';
5375                         }
5376                 elsif ($cron{'special'} eq 'daily') {
5377                         # Run every day at midnight
5378                         $cron{'mins'} = 0;
5379                         $cron{'hours'} = '0';
5380                         $cron{'days'} = '*';
5381                         $cron{'months'} = '*';
5382                         $cron{'weekdays'} = '*';
5383                         }
5384                 elsif ($cron{'special'} eq 'monthly') {
5385                         # Run every month on the 1st
5386                         $cron{'mins'} = 0;
5387                         $cron{'hours'} = '0';
5388                         $cron{'days'} = '1';
5389                         $cron{'months'} = '*';
5390                         $cron{'weekdays'} = '*';
5391                         }
5392                 elsif ($cron{'special'} eq 'weekly') {
5393                         # Run every month on the 1st
5394                         $cron{'mins'} = 0;
5395                         $cron{'hours'} = '0';
5396                         $cron{'days'} = '*';
5397                         $cron{'months'} = '*';
5398                         $cron{'weekdays'} = '0';
5399                         }
5400                 elsif ($cron{'special'} eq 'yearly' ||
5401                        $cron{'special'} eq 'annually') {
5402                         # Run every year on 1st january
5403                         $cron{'mins'} = 0;
5404                         $cron{'hours'} = '0';
5405                         $cron{'days'} = '1';
5406                         $cron{'months'} = '1';
5407                         $cron{'weekdays'} = '*';
5408                         }
5409                 elsif ($cron{'special'}) {
5410                         print STDERR "Cron $1 invalid special time $cron{'special'}\n";
5411                         $broken = 1;
5412                         }
5413                 if ($cron{'special'}) {
5414                         delete($cron{'special'});
5415                         }
5416                 if (!$broken) {
5417                         print DEBUG "adding cron id=$cron{'id'} module=$cron{'module'} func=$cron{'func'}\n";
5418                         push(@webmincrons, \%cron);
5419                         }
5420                 }
5421         }
5422 }