]> eyrie.org Git - kerberos/krb5-strength.git/blob - tools/heimdal-history
Begin error messages with a capital letter
[kerberos/krb5-strength.git] / tools / heimdal-history
1 #!/usr/bin/perl
2 #
3 # Password history via Heimdal external strength checking.
4 #
5 # This script is meant to be called via the Heimdal external password strength
6 # checking interface and maintains per-user password history.  Password
7 # history is stored as Crypt::PBKDF2 hashes with random salt for each
8 # password.
9
10 ##############################################################################
11 # Declarations and configuration
12 ##############################################################################
13
14 require 5.010;
15 use autodie;
16 use strict;
17 use warnings;
18
19 use DB_File::Lock;
20 use Crypt::PBKDF2;
21 use Fcntl qw(O_CREAT O_RDWR);
22 use File::Basename qw(basename);
23 use Getopt::Long::Descriptive qw(describe_options);
24 use IPC::Run qw(run);
25 use JSON qw(encode_json decode_json);
26 use POSIX qw(setgid setuid);
27 use Readonly;
28 use Sys::Syslog qw(openlog syslog LOG_AUTH LOG_INFO LOG_WARNING);
29
30 # The most convenient interface to Berkeley DB files is ties.
31 ## no critic (Miscellanea::ProhibitTies)
32
33 # The number of PBKDF2 iterations to use when hashing passwords.  This number
34 # should be chosen so as to force the hash operation to take approximately 0.1
35 # seconds on current hardware.
36 Readonly my $HASH_ITERATIONS => 14592;
37
38 # Path to the history database.  Currently, this must be a Berkeley DB file in
39 # the old DB_HASH format.  Keys will be principal names, and values will be a
40 # JSON array of hashes.  Each hash will have two keys: timestamp, which holds
41 # the seconds since UNIX epoch at which the history entry was stored, and
42 # hash, which holds the Crypt::PBKDF2 LDAP-style password hash.
43 Readonly my $HISTORY_PATH => '/var/lib/heimdal-history/history.db';
44
45 # User and group used to do all password history lookups and writes, assuming
46 # that this program is invoked as root and can therefore change UID and GID.
47 Readonly my $HISTORY_USER  => '_history';
48 Readonly my $HISTORY_GROUP => '_history';
49
50 # Path to the Berkeley DB file (DB_HASH format) that stores statistics on
51 # password length of accepted passwords.  Each successful password validation
52 # will increase the counter for that length.  This is read and written with
53 # $HISTORY_USER and $HISTORY_GROUP.
54 Readonly my $LENGTH_STATS_PATH => '/var/lib/heimdal-history/lengths.db';
55
56 # The message to return to the user if we reject the password because it was
57 # found in the user's history.
58 Readonly my $REJECT_MESSAGE => 'Password was previously used';
59
60 # The path to the external strength checking program to run.  This is done
61 # first before checking history, and if it fails, that failure is returned as
62 # the failure for this program.
63 Readonly my $STRENGTH_PROGRAM => '/usr/bin/heimdal-strength';
64
65 # User and group used to do password strength checking.  Generally, this
66 # doesn't require any privileges since the strength dictionary is
67 # world-readable.
68 Readonly my $STRENGTH_USER  => 'nobody';
69 Readonly my $STRENGTH_GROUP => 'nogroup';
70
71 # Global boolean variable saying whether to log with syslog.  This is set
72 # based on the presence of the -q (--quiet) command-line option.
73 my $SYSLOG = 1;
74
75 ##############################################################################
76 # Utility functions
77 ##############################################################################
78
79 # Change real and effective UID and GID to those for the given user and group.
80 # Does nothing if not running as root.
81 #
82 # $user  - User to change the UID to
83 # $group - Group to change the GID to (and clear all supplemental groups)
84 #
85 # Returns: undef
86 #  Throws: Text exception on any failure
87 sub drop_privileges {
88     my ($user, $group) = @_;
89
90     # If running as root, drop privileges.  Fail if we can't get the UID and
91     # GID corresponding to our users.
92     if ($> == 0 || $< == 0) {
93         my $uid = getpwnam($user)
94           or die "$0: cannot get UID for $user\n";
95         my $gid = getgrnam($group)
96           or die "$0: cannot get GID for $group\n";
97         setgid($gid) or die "$0: cannot setgid to $gid: $!\n";
98         setuid($uid) or die "$0: cannot setuid to $uid: $!\n";
99         if ($> == 0 || $< == 0) {
100             die "$0: failed to drop permissions\n";
101         }
102     }
103     return;
104 }
105
106 ##############################################################################
107 # Logging
108 ##############################################################################
109
110 # Given a list of keys and values for a log message as a hash reference,
111 # return in encoded format following our logging protocol.  The log format is
112 # a set of <key>=<value> parameters separated by a space.  Values containing
113 # whitespace are quoted with double quotes, with any internal double quotes
114 # doubled.
115 #
116 # Here also is defined a custom sort order for the encoded key/value pairs to
117 # keep them in a reasonable order for a human to read.
118 #
119 # $params_ref - Reference to a hash of key/value pairs
120 #
121 # Returns: The encoded format as a string
122 sub encode_log_message {
123     my ($params_ref) = @_;
124
125     # Define the custom sort order for keys.
126     my $order = 1;
127     my %order
128       = map { $_ => $order++ } qw(action principal error result reason);
129
130     # Build the message from the parameters.
131     my $message;
132     for my $key (sort { $order{$a} <=> $order{$b} } keys %{$params_ref}) {
133         my $value = $params_ref->{$key};
134         $value =~ s{ \" }{\"\"}xmsg;
135         if ($value =~ m{ [ \"] }xms) {
136             $value = qq{"$value"};
137         }
138         $message .= qq{$key=$value };
139     }
140     chomp($message);
141     return $message;
142 }
143
144 # Log a non-fatal error encountered while trying to check or store password
145 # history.  This is used for errors where the password is accepted, but we ran
146 # into some anomalous event such as corrupted history data that should be
147 # drawn to the attention of an administrator.  The log format is a set of
148 # <key>=<value> parameters, with the following keys:
149 #
150 # - action:    the action performed (currently always "check")
151 # - principal: the principal to check a password for
152 # - error:     an error message explaining the anomalous situation
153 #
154 # Values containing whitespace are quoted with double quotes, with any
155 # internal double quotes doubled.  No logging will be done if $SYSLOG is
156 # false.
157 #
158 # $principal - Principal for which we checked a password
159 # $error     - The error message
160 #
161 # Returns: undef
162 sub log_error {
163     my ($principal, $error) = @_;
164     if (!$SYSLOG) {
165         return;
166     }
167     my $message = encode_log_message(
168         action    => 'check',
169         principal => $principal,
170         error     => $error,
171     );
172     syslog(LOG_WARNING, '%s', $message);
173     return;
174 }
175
176 # Log the disposition of a particular password strength checking request.  All
177 # log messages are logged through syslog at class info.  The log format is a
178 # set of <key>=<value> parameters, with the following keys:
179 #
180 # - action:    the action performed (currently always "check")
181 # - principal: the principal to check a password for
182 # - result:    either "accepted" or "rejected"
183 # - reason:    the reason for a rejection
184 #
185 # Values containing whitespace are quoted with double quotes, with any
186 # internal double quotes doubled.  No logging will be done if $SYSLOG is
187 # false.
188 #
189 # $principal - Principal for which we checked a password
190 # $result    - "accepted" or "rejected" per above
191 # $reason    - On rejection, the reason
192 #
193 # Returns: undef
194 sub log_result {
195     my ($principal, $result, $reason) = @_;
196     if (!$SYSLOG) {
197         return;
198     }
199
200     # Create the message.
201     my %message = (
202         action    => 'check',
203         principal => $principal,
204         result    => $result,
205     );
206     if ($result eq 'rejected' && defined($reason)) {
207         $message{reason} = $reason;
208     }
209     my $message = encode_log_message(\%message);
210
211     # Log the message.
212     syslog(LOG_INFO, '%s', $message);
213     return;
214 }
215
216 ##############################################################################
217 # Crypto
218 ##############################################################################
219
220 # Given a password, return the hash for that password.  Hashing is done with
221 # PBKDF2 using SHA-2 as the underlying hash function.  As of version 0.133330,
222 # this uses SHA-256.
223 #
224 # $password   - Password to hash
225 # $iterations - Optional iteration count, defaulting to $HASH_ITERATIONS
226 #
227 # Returns: Hash encoded in the LDAP-compatible Crypt::PBKDF2 format
228 sub password_hash {
229     my ($password, $iterations) = @_;
230     $iterations //= $HASH_ITERATIONS;
231     my $hasher = Crypt::PBKDF2->new(
232         hash_class => 'HMACSHA2',
233         iterations => $iterations,
234     );
235     return $hasher->generate($password);
236 }
237
238 # Given a password and the password history for the user as a reference to a
239 # array, check whether that password is found in the history.  The history
240 # array is expected to contain anonymous hashes.  The only key of interest is
241 # the "hash" key, whose value is expected to be a hash in the LDAP-compatible
242 # Crypt::PBKDF2 format.
243 #
244 # Invalid history entries are ignored for the purposes of this check and
245 # treated as if the entry did not exist.
246 #
247 # $principal   - Principal to check (solely for logging purposes)
248 # $password    - Password to check
249 # $history_ref - Reference to array of anonymous hashes with "hash" keys
250 #
251 # Returns: True if the password matches one of the history hashes, false
252 #          otherwise
253 sub is_in_history {
254     my ($principal, $password, $history_ref) = @_;
255     my $hasher = Crypt::PBKDF2->new(hash_class => 'HMACSHA2');
256
257     # Walk the history looking at each hash key.
258     for my $entry (@{$history_ref}) {
259         my $hash = $entry->{hash};
260         next if !defined($hash);
261
262         # validate throws an exception if the hash is in an invalid format.
263         # Treat that case the same as a miss, but log it.
264         if (eval { $hasher->validate($hash, $password) }) {
265             return 1;
266         } elsif ($@) {
267             log_error($principal, "hash validate failed: $@");
268         }
269     }
270
271     # No match.
272     return;
273 }
274
275 ##############################################################################
276 # Benchmarking
277 ##############################################################################
278
279 # Perform a binary search for a number of hash iterations that makes password
280 # hashing take the given target time on the current system.
281 #
282 # Assumptions:
283 #
284 # * The system load is low enough that this benchmark result is meaningful
285 #   and not heavily influenced by other programs running on the system.  The
286 #   binary search may be unstable if the system load is too variable.
287 #
288 # * The static "password" string used for benchmarking will exhibit similar
289 #   performance to the statistically average password.
290 #
291 # Information about the iteration search process is printed to standard output
292 # while the search runs.
293 #
294 # $target - The elapsed time, in real seconds, we're aiming for
295 # $delta  - The permissible delta around the target time
296 #
297 # Returns: The number of hash iterations with that performance characteristic
298 #  Throws: Text exception on failure to write to standard output
299 sub find_iteration_count {
300     my ($target, $delta) = @_;
301     my $high = 0;
302     my $low  = 0;
303
304     # A static password to use for benchmarking.
305     my $password = 'this is a benchmark';
306
307     # Start at the current configured iteration count.  If this doesn't take
308     # long enough, it becomes the new low mark and we try double that
309     # iteration count.  Otherwise, do binary search.
310     #
311     # We time twenty iterations each time, chosen because it avoids the
312     # warnings from Benchmark about too few iterations for a reliable count.
313     require Benchmark;
314     my $iterations = $HASH_ITERATIONS;
315     while (1) {
316         my $hash = sub { password_hash($password, $iterations) };
317         my $times = Benchmark::timethis(20, $hash, q{}, 'none');
318
319         # Extract the CPU time from the formatted time string.  This will be
320         # the total time for all of the iterations, so divide by the iteration
321         # count to recover the time per iteration.
322         my $report = Benchmark::timestr($times);
323         my ($time) = ($report =~ m{ ([\d.]+) [ ] CPU }xms);
324         $time = $time / 20;
325
326         # Tell the user what we discovered.
327         say {*STDOUT} "Performing $iterations iterations takes $time seconds"
328           or die "$0: cannot write to standard output: $!\n";
329
330         # If this is what we're looking for, we're done.
331         if (abs($time - $target) < $delta) {
332             last;
333         }
334
335         # Determine the new iteration target.
336         if ($time > $target) {
337             $high = $iterations;
338         } else {
339             $low = $iterations;
340         }
341         if ($time < $target && $high == 0) {
342             $iterations = $iterations * 2;
343         } else {
344             $iterations = int(($high + $low) / 2);
345         }
346     }
347
348     # Report the result and return it.
349     say {*STDOUT} "Use $iterations iterations"
350       or die "$0: cannot write to standard output: $!\n";
351     return $iterations;
352 }
353
354 ##############################################################################
355 # Database
356 ##############################################################################
357
358 # Given a principal and a password, determine whether the password was found
359 # in the password history for that user.
360 #
361 # $path      - Path to the history file
362 # $principal - Principal for which to check history
363 # $password  - Check history for this password
364 #
365 # Returns: True if $password is found in history, false otherwise
366 #  Throws: On failure to open, lock, or tie the database
367 sub check_history {
368     my ($path, $principal, $password) = @_;
369
370     # Open and lock the database and retrieve the history for the user.
371     # We have to lock for write so that we can create the database if it
372     # doesn't already exist.  Password change should be infrequent enough
373     # and our window is fast enough that it shouldn't matter.  We do this
374     # in a separate scope so that the history hash goes out of scope and
375     # is freed and unlocked.
376     my $history_json;
377     {
378         my %history;
379         my $mode = O_CREAT | O_RDWR;
380         tie(%history, 'DB_File::Lock', [$path, $mode, oct(600)], 'write')
381           or die "$0: cannot open $path: $!\n";
382         $history_json = $history{$principal};
383     }
384
385     # If there is no history for the user, return the trivial false.
386     if (!defined($history_json)) {
387         return;
388     }
389
390     # Decode history from JSON.  If this fails (corrupt history), treat it as
391     # if the user has no history, but log the error message.
392     my $history_ref = eval { decode_json($history_json) };
393     if (!defined($history_ref)) {
394         log_error($principal, "history JSON decoding failed: $@");
395         return;
396     }
397
398     # Finally, check the password against the hashes in history.
399     return is_in_history($principal, $password, $history_ref);
400 }
401
402 # Write a new history entry to the database given the principal and the
403 # password to record.  History records are stored as JSON arrays of objects,
404 # with keys "timestamp" and "hash".
405 #
406 # $path      - Path to the history file
407 # $principal - Principal for which to check history
408 # $password  - Check history for this password
409 #
410 # Returns: undef
411 #  Throws: On failure to open, lock, or tie the database
412 sub write_history {
413     my ($path, $principal, $password) = @_;
414
415     # Open and lock the database for write.
416     my %history;
417     my $mode = O_CREAT | O_RDWR;
418     tie(%history, 'DB_File::Lock', [$path, $mode, oct(600)], 'write')
419       or die "$0: cannot open $path: $!\n";
420
421     # Read the existing history.  If the existing history is corrupt, treat
422     # that as equivalent to not having any history, but log an error.
423     my $history_json = $history{$principal};
424     my $history_ref;
425     if (defined($history_json)) {
426         $history_ref = eval { decode_json($history_json) };
427         if ($@) {
428             log_error($principal, "history JSON decoding failed: $@");
429         }
430     }
431     if (!defined($history_ref)) {
432         $history_ref = [];
433     }
434
435     # Add a new history entry.
436     my $entry = { timestamp => time(), hash => password_hash($password) };
437     unshift(@{$history_ref}, $entry);
438
439     # Store the encoded data back in the history database.
440     $history{$principal} = encode_json($history_ref);
441
442     # The database is closed and unlocked when %history goes out of scope.
443     # Unfortunately, we lose on error detection here, since there doesn't
444     # appear to be a way to determine whether all the writes succeeded.  But
445     # losing a bit of history in the rare error case of failing to write to
446     # local disk is probably not a big deal.
447     return;
448 }
449
450 # Write statistics about password length.  Given the length of the password
451 # and the path to the length statistics database, increments the counter for
452 # that password length.
453 #
454 # Any failure to open or write to the database is ignored, since this is
455 # considered optional logging and should not block the password change.
456 #
457 # $path   - Path to the length statistics file
458 # $length - Length of the accepted password
459 #
460 # Returns: undef
461 sub update_length_counts {
462     my ($path, $length) = @_;
463
464     # Open and lock the database for write.
465     my %lengths;
466     my $mode = O_CREAT | O_RDWR;
467     tie(%lengths, 'DB_File::Lock', [$path, $mode, oct(600)], 'write')
468       or return;
469
470     # Write each of the hashes.
471     $lengths{$length}++;
472
473     # The database is closed and unlocked when %lengths goes out of scope.
474     return;
475 }
476
477 ##############################################################################
478 # Heimdal password quality protocol
479 ##############################################################################
480
481 # Run another external password quality checker and return the results.  This
482 # allows us to chain to another program that handles the actual strength
483 # checking prior to handling history.
484 #
485 # $path      - Password quality check program to run
486 # $principal - Principal attempting to change their password
487 # $password  - The new password
488 #
489 # Returns: Scalar context: true if the password was accepted, false otherwise
490 #          List context: whether the password is okay, the exit status of the
491 #            quality checking program, and the error message if the first
492 #            element is false
493 #  Throws: Text exception on failure to execute the program, or read or write
494 #          from it or to it, or if it fails without an error
495 sub strength_check {
496     my ($path, $principal, $password) = @_;
497
498     # Run the external quality checking program.  If we're root, we'll run it
499     # as the strength checking user and group.
500     my $in = "principal: $principal\nnew-password: $password\nend\n";
501     my $init = sub { drop_privileges($STRENGTH_USER, $STRENGTH_GROUP) };
502     my ($out, $err);
503     run([$path, $principal], \$in, \$out, \$err, init => $init);
504     my $status = ($? >> 8);
505
506     # Check the results.
507     my $okay = ($status == 0 && $out eq "APPROVED\n");
508
509     # If the program failed, collect the error message.
510     if (!$okay) {
511         if ($err) {
512             $err =~ s{ \n .* }{}xms;
513         } else {
514             die "$0: password strength checking failed without an error\n";
515         }
516     }
517
518     # Return the results.
519     return wantarray ? ($okay, $err, $status) : $okay;
520 }
521
522 # Read a Heimdal external password quality checking request from the provided
523 # file handle and return the principal (ignored for our application) and the
524 # password.
525 #
526 # The protocol expects the following data (without leading whitespace) on
527 # standard input, in precisely this order:
528 #
529 #     principal: <principal>
530 #     new-password: <password>
531 #     end
532 #
533 # There is one and only one space after the colon, and any subsequent spaces
534 # are part of the value (such as leading spaces in the password).
535 #
536 # $fh - File handle from which to read
537 #
538 # Returns: Scalar context: the password
539 #          List context: a list of the password and the principal
540 #  Throws: Text exception on any protocol violations or IO errors
541 sub read_change_data {
542     my ($fh) = @_;
543     my @keys = qw(principal new-password);
544     my %data;
545
546     # Read the data elements we expect.  Verify that they come in the correct
547     # order and the correct format.
548     local $/ = "\n";
549     for my $key (@keys) {
550         my $line = readline($fh);
551         if (!defined($line)) {
552             die "$0: truncated input before $key: $!\n";
553         }
554         chomp($line);
555         if ($line =~ s{ \A \Q$key\E : [ ] }{}xms) {
556             $data{$key} = $line;
557         } else {
558             die "$0: unrecognized input line before $key\n";
559         }
560     }
561
562     # The final line of input must be a literal "end\n";
563     my $line = readline($fh);
564     if (!defined($line)) {
565         die "$0: truncated input before end: $!\n";
566     } elsif ($line ne "end\n") {
567         die "$0: unrecognized input line before end\n";
568     }
569
570     # Return the results.
571     my $password  = $data{'new-password'};
572     my $principal = $data{principal};
573     return wantarray ? ($password, $principal) : $password;
574 }
575
576 ##############################################################################
577 # Main routine
578 ##############################################################################
579
580 # Always flush output.
581 STDOUT->autoflush;
582
583 # Clean up the script name for error reporting.
584 my $fullpath = $0;
585 local $0 = basename($0);
586
587 # Parse the argument list.
588 my ($opt, $usage) = describe_options(
589     '%c %o',
590     ['benchmark|b=f', 'Benchmark hash iterations for this target time'],
591     ['database|d=s',  'Path to the history database, overriding the default'],
592     ['help|h',        'Print usage message and exit'],
593     ['manual|man|m',  'Print full manual and exit'],
594     ['quiet|q',       'Suppress logging to syslog'],
595     ['stats|S=s',     'Path to hash of length statistics'],
596     ['strength|s=s',  'Path to strength checking program to run'],
597 );
598 if ($opt->help) {
599     print {*STDOUT} $usage->text
600       or die "$0: cannot write to standard output: $!\n";
601     exit(0);
602 } elsif ($opt->manual) {
603     say {*STDOUT} 'Feeding myself to perldoc, please wait...'
604       or die "$0: cannot write to standard output: $!\n";
605     exec('perldoc', '-t', $fullpath);
606 }
607 my $database = $opt->database || $HISTORY_PATH;
608 my $stats_db = $opt->stats    || $LENGTH_STATS_PATH;
609 my $strength = $opt->strength || $STRENGTH_PROGRAM;
610
611 # If asked to do benchmarking, ignore other arguments and just do that.
612 # Currently, we hard-code a 0.005-second granularity on our binary search.
613 if ($opt->benchmark) {
614     find_iteration_count($opt->benchmark, 0.005);
615     exit(0);
616 }
617
618 # Open syslog for result reporting.
619 if ($opt->quiet) {
620     $SYSLOG = 0;
621 } else {
622     openlog($0, 'pid', LOG_AUTH);
623 }
624
625 # Read the principal and password that we're supposed to check.
626 my ($password, $principal) = read_change_data(\*STDIN);
627
628 # Delegate to the external strength checking program.
629 my ($okay, $error, $status) = strength_check($strength, $principal, $password);
630 if (!$okay) {
631     log_result($principal, 'rejected', $error);
632     warn "$error\n";
633     exit($status);
634 }
635
636 # Drop privileges for the rest of the program.
637 drop_privileges($HISTORY_USER, $HISTORY_GROUP);
638
639 # Hash the password and check history.  Exit if a hash is in history.
640 if (check_history($database, $principal, $password)) {
641     log_result($principal, 'rejected', $REJECT_MESSAGE);
642     warn "$REJECT_MESSAGE\n";
643     exit(0);
644 }
645
646 # The password is accepted.  Record it, update the length counter, and return
647 # success.
648 log_result($principal, 'accepted');
649 write_history($database, $principal, $password);
650 say {*STDOUT} 'APPROVED'
651   or die "$0: cannot write to standard output: $!\n";
652 update_length_counts($stats_db, length($password));
653 exit(0);
654
655 __END__
656
657 ##############################################################################
658 # Documentation
659 ##############################################################################
660
661 =for stopwords
662 heimdal-history heimdal-strength Heimdal -hmq BerkeleyDB timestamps POSIX
663 whitespace API Allbery sublicense MERCHANTABILITY NONINFRINGEMENT syslog
664 pseudorandom JSON LDAP-compatible PBKDF2 SHA-256
665
666 =head1 NAME
667
668 heimdal-history - Password history via Heimdal external strength checking
669
670 =head1 SYNOPSIS
671
672 B<heimdal-history> [B<-hmq>] [B<-b> I<target-time>] [B<-d> I<database>]
673     [B<-S> I<length-stats-db>] [B<-s> I<strength-program>] [B<principal>]
674
675 =head1 DESCRIPTION
676
677 B<heimdal-history> is an implementation of password history via the
678 Heimdal external password strength checking interface.  It stores separate
679 history for each principal, hashed using Crypt::PBKDF2 with
680 randomly-generated salt.  (The randomness is from a weak pseudorandom
681 number generator, not strongly random.)
682
683 Password history is stored in a BerkeleyDB DB_HASH file.  The key is the
684 principal.  The value is a JSON array of objects, each of which has two
685 keys.  C<timestamp> contains the time when the history entry was added (in
686 POSIX seconds since UNIX epoch), and C<hash> contains the hash of a
687 previously-used password in the Crypt::PBKDF2 LDAP-compatible format.
688 Passwords are hashed using PBKDF2 (from PKCS#5) with SHA-256 as the
689 underlying hash function using a number of rounds configured in this
690 script.  See L<Crypt::PBKDF2> for more information.
691
692 B<heimdal-history> also checks password strength before checking history.
693 It does so by invoking another program that also uses the Heimdal external
694 password strength checking interface.  By default, it runs
695 B</usr/bin/heimdal-strength>.  Only if that program approves the password
696 does it hash it and check history.
697
698 As with any implementation of the Heimdal external password strength
699 checking protocol, B<heimdal-history> expects, on standard input:
700
701     principal: <principal>
702     new-password: <password>
703     end
704
705 (with no leading whitespace).  <principal> is the principal changing its
706 password (passed to the other password strength checking program but
707 otherwise unused here), and <password> is the new password.  There must
708 be exactly one space after the colon.  Any subsequent spaces are taken to
709 be part of the principal or password.
710
711 If invoked as root, B<heimdal-history> will run the external strength
712 checking program as user C<nobody> and group C<nogroup>, and will check
713 and write to the history database as user C<_history> and group
714 C<_history>.  These users must exist on the system if it is run as root.
715
716 The result of each password check will be logged to syslog (priority
717 LOG_INFO, facility LOG_AUTH).  Each log line will be a set of key/value
718 pairs in the format C<< I<key>=I<value> >>.  The keys are:
719
720 =over 4
721
722 =item action
723
724 The action performed (currently always C<check>).
725
726 =item principal
727
728 The principal for which a password was checked.
729
730 =item error
731
732 An internal error message that did not stop the history check, but which
733 may indicate that something is wrong with the history database (such as
734 corrupted entries or invalid hashes).  If this key is present, neither
735 C<result> nor C<reason> will be present.  There will be a subsequent log
736 message from the same invocation giving the final result of the history
737 check (assuming B<heimdal-history> doesn't exit with a fatal error).
738
739 =item result
740
741 Either C<accepted> or C<rejected>.
742
743 =item reason
744
745 If the password was rejected, the reason for the rejection.
746
747 =back
748
749 The value will be surrounded with double quotes if it contains a double
750 quote or space.  Any double quotes in the value will be doubled, so C<">
751 becomes C<"">.
752
753 =head1 OPTIONS
754
755 =over 4
756
757 =item B<-b> I<target-time>, B<--benchmark>=I<target-time>
758
759 Do not do a password history check.  Instead, benchmark the hash algorithm
760 with various possible iteration counts and find an iteration count that
761 results in I<target-time> seconds of computation time required to hash a
762 password (which should be a real number).  A result will be considered
763 acceptable if it is within 0.005 seconds of the target time.  The results
764 will be printed to standard output and then B<heimdal-history> will exit
765 successfully.
766
767 =item B<-d> I<database>, B<--database>=I<database>
768
769 Use I<database> as the history database file instead of the default
770 (F</var/lib/heimdal-history/history.db>).  Primarily used for testing,
771 since Heimdal won't pass this argument.
772
773 =item B<-h>, B<--help>
774
775 Print a short usage message and exit.
776
777 =item B<-m>, B<--manual>, B<--man>
778
779 Display this manual and exit.
780
781 =item B<-q>, B<--quiet>
782
783 Suppress logging to syslog and only return the results on standard output
784 and standard error.  Primarily used for testing, since Heimdal won't pass
785 this argument.
786
787 =item B<-S> I<length-stats-db>, B<--stats>=I<length-stats-db>
788
789 Use I<length-stats-db> as the database file for password length statistics
790 instead of the default (F</var/lib/heimdal-history/lengths.db>).
791 Primarily used for testing, since Heimdal won't pass this argument.
792
793 =item B<-s> I<strength-program>, B<--strength>=I<strength-program>
794
795 Run I<strength-program> as the external strength-checking program instead
796 of the default (F</usr/bin/heimdal-strength>).  Primarily used for
797 testing, since Heimdal won't pass this argument.
798
799 =back
800
801 =head1 RETURN STATUS
802
803 On approval of the password, B<heimdal-history> will print C<APPROVED> and
804 a newline to standard output and exit with status 0.
805
806 If the password is rejected by the strength checking program or if it (or
807 a version with a single character removed) matches one of the hashes stored
808 in the password history, B<heimdal-history> will print the reason for
809 rejection to standard error and exit with status 0.
810
811 On any internal error, B<heimdal-history> will print the error to standard
812 error and exit with a non-zero status.
813
814 =head1 FILES
815
816 =over 4
817
818 =item F</usr/bin/heimdal-strength>
819
820 The default password strength checking program.  This program must follow
821 the Heimdal external password strength checking API.
822
823 =item F</var/lib/heimdal-history/history.db>
824
825 The default database path.  If B<heimdal-strength> is run as root, this
826 file needs to be readable and writable by user C<_history> and group
827 C<_history>.  If it doesn't exist, it will be created with mode 0600.
828
829 =item F</var/lib/heimdal-history/history.db.lock>
830
831 The lock file used to synchronize access to the history database.  As with
832 the history database, if B<heimdal-strength> is run as root, this file
833 needs to be readable and writable by user C<_history> and group
834 C<_history>.
835
836 =item F</var/lib/heimdal-history/lengths.db>
837
838 The default length statistics path, which will be a BerkeleyDB DB_HASH
839 file of password lengths to counts of passwords with that length.  If
840 B<heimdal-strength> is run as root, this file needs to be readable and
841 writable by user C<_history> and group C<_history>.  If it doesn't exist,
842 it will be created with mode 0600.
843
844 =item F</var/lib/heimdal-history/lengths.db.lock>
845
846 The lock file used to synchronize access to the length statistics
847 database.  As with the length statistics database, if B<heimdal-strength>
848 is run as root, this file needs to be readable and writable by user
849 C<_history> and group C<_history>.
850
851 =back
852
853 =head1 AUTHOR
854
855 Russ Allbery <eagle@eyrie.org>
856
857 =head1 COPYRIGHT AND LICENSE
858
859 Copyright 2013, 2014 The Board of Trustees of the Leland Stanford Junior
860 University
861
862 Permission is hereby granted, free of charge, to any person obtaining a
863 copy of this software and associated documentation files (the "Software"),
864 to deal in the Software without restriction, including without limitation
865 the rights to use, copy, modify, merge, publish, distribute, sublicense,
866 and/or sell copies of the Software, and to permit persons to whom the
867 Software is furnished to do so, subject to the following conditions:
868
869 The above copyright notice and this permission notice shall be included in
870 all copies or substantial portions of the Software.
871
872 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
873 IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
874 FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.  IN NO EVENT SHALL
875 THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
876 LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
877 FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
878 DEALINGS IN THE SOFTWARE.
879
880 =head1 SEE ALSO
881
882 L<Crypt::PBKDF2>, L<heimdal-strength(1)>
883
884 =cut