Se você pode salvar um arquivo de carimbo de data / hora entre as execuções, pode verificar a data dele em vez de confiar apenas na data atual.
Se o seu comando find suporta valores fracionários para -mtime
(ou possui -mmin
) (o GNU find possui ambos , o POSIX parece não exigir nenhum dos dois ), você pode 'estrangular' os trabalhos do cron com find e touch .
Ou, se você possui um comando stat que suporta mostrar datas de arquivo como "segundos desde a época" (por exemplo, stat do Gnu coreutils , também outras implementações), você pode fazer sua própria comparação usando date , stat e os operadores de comparação do shell (junto com toque para atualizar um arquivo de carimbo de data / hora). Você também pode usar ls em vez de stat se ele puder fazer a formatação (por exemplo, ls do GNU fileutils ).
Abaixo está um programa Perl (eu o chamei n-hours-ago
) que atualiza um arquivo de carimbo de data / hora e sai com êxito se o carimbo de data / hora original tiver idade suficiente. Seu texto de uso mostra como usá-lo em uma entrada crontab para acelerar um trabalho cron. Também descreve ajustes para “horário de verão” e como lidar com carimbos de data / hora 'atrasados' de execuções anteriores.
#!/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;