Wenn Sie eine Zeitstempeldatei zwischen den Läufen speichern können, können Sie das Datum überprüfen, anstatt sich ausschließlich auf das aktuelle Datum zu verlassen.
Wenn Ihr Befehl find Bruchwerte für -mtime
(oder hat -mmin
) unterstützt ( GNU find hat beides , POSIX scheint dies auch nicht zu erfordern ), können Sie die Cron-Jobs mit find and touch "drosseln" .
Wenn Sie einen stat- Befehl haben, der das Anzeigen von Dateidaten als "Sekunden seit der Epoche" unterstützt (z. B. stat von Gnu coreutils , auch andere Implementierungen), können Sie Ihren eigenen Vergleich mit date , stat und den Vergleichsoperatoren der Shell (zusammen) durchführen mit Berührung , um eine Zeitstempeldatei zu aktualisieren). Möglicherweise können Sie auch ls anstelle von stat verwenden, wenn die Formatierung möglich ist (z. B. ls aus GNU-Dateiutils ).
Unten finden Sie ein Perl-Programm (ich habe es genannt n-hours-ago
), das eine Zeitstempeldatei aktualisiert und erfolgreich beendet wird, wenn der ursprüngliche Zeitstempel alt genug war. Der Verwendungstext zeigt, wie er in einem Crontab-Eintrag verwendet wird, um einen Cron-Job zu drosseln. Außerdem werden Anpassungen für die „Sommerzeit“ und den Umgang mit „späten“ Zeitstempeln aus früheren Läufen beschrieben.
#!/usr/bin/perl
use warnings;
use strict;
sub usage {
printf STDERR <<EOU, $0;
usage: %s <hours> <file>
If entry at pathname <file> was modified at least <hours> hours
ago, update its modification time and exit with an exit code of
0. Otherwise exit with a non-zero exit code.
This command can be used to throttle crontab entries to periods
that are not directly supported by cron.
34 2 * * * /path/to/n-hours-ago 502.9 /path/to/timestamp && command
If the period between checks is more than one "day", you might
want to decrease your <hours> by 1 to account for short "days"
due "daylight savings". As long as you only attempt to run it at
most once an hour the adjustment will not affect your schedule.
If there is a chance that the last successful run might have
been launched later "than usual" (maybe due to high system
load), you might want to decrease your <hours> a bit more.
Subtract 0.1 to account for up to 6m delay. Subtract 0.02 to
account for up to 1m12s delay. If you want "every other day" you
might use <hours> of 47.9 or 47.98 instead of 48.
You will want to combine the two reductions to accomodate the
situation where the previous successful run was delayed a bit,
it occured before a "jump forward" event, and the current date
is after the "jump forward" event.
EOU
}
if (@ARGV != 2) { usage; die "incorrect number of arguments" }
my $hours = shift;
my $file = shift;
if (-e $file) {
exit 1 if ((-M $file) * 24 < $hours);
} else {
open my $fh, '>', $file or die "unable to create $file";
close $fh;
}
utime undef, undef, $file or die "unable to update timestamp of $file";
exit 0;