受https://perlmaven.com/datetime的启发,我试图找到 2024-01-03T19:00:00 和 2024-01-07T16:00:00 (93 小时)之间的差异小时数。
#!/usr/bin/env perl
use 5.038;
use warnings FATAL => 'all';
use autodie ':default';
use DDP;
use Devel::Confess 'color';
use DateTime;
sub str_to_date ($date) {
if ($date =~ m/^(\d+) # year
\-(\d{1,2}) # month
\-(\d{1,2}) # day
T
(\d+) # hour
:
(\d+) # minutes
:
(\d+) # seconds
/x) {
return DateTime -> new(
year => $1,
month => $2,
day => $3,
hour => $4,
minute=> $5,
second=> $6,
);
} else {
die "$date failed regex.";
}
} # later dates are "greater"
my $wed_date = str_to_date('2024-01-03T19:00:00');
say $wed_date->day;
my $sun_date = str_to_date('2024-01-07T16:00:00');
my $diff = $sun_date - $wed_date; # returns a duration object
p $diff;
say $diff->clock_duration->in_units('hours'); # 21, but should be 93
say $diff->in_units('hours'); # 21 again
say $diff->hours; # 21 again
say $sun_date->delta_days($wed_date)->in_units('hours'); # 0
p $diff->deltas;
我从https://metacpan.org/pod/DateTime::Format::Duration找到的所有方法都给出了错误的答案。
或者,如果我删除解析,
#!/usr/bin/env perl
use 5.038;
use warnings FATAL => 'all';
use autodie ':default';
use DDP;
use Devel::Confess 'color';
use DateTime;
my $wed_date = DateTime->new(
year => 2024,
month=>1,
day=>3,
hour=>19
);#str_to_date('2024-01-03T19:00:00');
my $sun_date = DateTime->new(
year=>2024,
month=>1,
day=>7,
hour=>16#my $sun_date = str_to_date('2024-01-07T16:00:00');
);#
say $wed_date->day;
my $diff = $sun_date - $wed_date;
p $diff;
say $diff->clock_duration->in_units('hours'); # 21, but should be 93
say $diff->in_units('hours'); # 21 again
say $diff->hours; # 21 again
say $sun_date->delta_days($wed_date)->in_units('hours'); # 0
p $diff->deltas; # 10
答案是相同的。
DateTime::Duration 对象似乎忽略了中间的天数,而只关注小时之间的差异。
如何获得两个日期之间正确的小时数?
答案,根据https://metacpan.org/pod/DateTime#How-DateTime-Math-Works
这是一个 DateTime::Duration 对象:
秒数 334800 等于 93 小时,这是正确答案。
感谢评论者。
使用
->delta_ms
而不是->subtract_datetime
(通过减法调用的方法)。以天为单位的持续时间无法转换为小时,因为并非所有天都有相同的小时数。事实上,只有这些转换是安全的:
因此,
->in_units( 'hours' )
仅将持续时间的小时和分钟部分转换为小时。$sun_date - $wed_date
返回 3 天 1260 分钟的持续时间。->in_units( 'hours' )
返回 int( 0 + 1260/60 ) = 21 小时。解决方案是创建由小时和/或分钟而不是天组成的持续时间。
$sun_date->delta_ms( $wed_date )
返回 5580 分钟的持续时间。->in_units( 'hours' )
返回 int( 0 + 5580/60 ) = 93 小时。