I want to round current time to the nearest 15
minute interval.
So if it is currently 6:07
, it would read 6:15
as the start time.
How can I do that?
I want to round current time to the nearest 15
minute interval.
So if it is currently 6:07
, it would read 6:15
as the start time.
How can I do that?
You can split the time into hours and minutes and then use the ceil
function as:
use POSIX;
my ($hr,$min) = split/:/,$time;
my $rounded_min = ceil($min/15) * 15;
if($rounded_min == 60) {
$rounded_min = 0;
$hr++;
$hr = 0 if($hr == 24);
}
The nearest 15 minute interval to 6:07 is 6:00, not 6:15. Do you want the nearest 15 minute interval or the next 15 minute interval?
Assuming it's the nearest, something like this does what you want.
#!/usr/bin/perl
use strict;
use warnings;
use constant FIFTEEN => (15 * 60);
my $now = time;
if (my $diff = $now % FIFTEEN) {
if ($diff < FIFTEEN / 2) {
$now -= $diff;
} else {
$now += (15*60) - $diff;
}
}
print scalar localtime $now, "\n";
An easy solution is to use Math::Round from CPAN.
use strict;
use warnings;
use 5.010;
use Math::Round qw(nearest);
my $current_quarter = nearest(15*60, time());
say scalar localtime($current_quarter);