Time :: Piece(localtime/gmtime)计算与bash日期

caj*_*ine 4 perl

有这个bash脚本:

future="${1:-Dec 08 2017 22:00:00}"
t1=$(date -j -f "%b %d %Y %H:%M:%S" "$future" +%s)  #using OS X
t0=$(date +%s)

echo "Current: $(date)"
echo "Future : $future"
echo "Diff   : $(( $t1 - $t0 )) secs"
Run Code Online (Sandbox Code Playgroud)

它打印:

Current: pi   8. december 2017 21:25:25 CET
Future : Dec 08 2017 22:00:00
Diff   : 2075 secs
Run Code Online (Sandbox Code Playgroud)

结果(差异)是正确的.

现在尝试使用perl做同样的事情:

use strict;
use warnings;
use feature 'say';

use Time::Piece;

my $format = '%b %d %Y %H:%M:%S';

my $future = shift // 'Dec 08 2017 22:00:00';
say "Future: $future";

say "localtime: ", scalar localtime();
say "gmtime   : ", scalar gmtime();

my $tf = Time::Piece->strptime($future, $format);
say 'localtime-diff : ', $tf-localtime();
say 'gmtime-diff    : ', $tf-gmtime();
Run Code Online (Sandbox Code Playgroud)

它打印

Future: Dec 08 2017 22:00:00
localtime: Fri Dec  8 21:27:45 2017  #correct
gmtime   : Fri Dec  8 20:27:45 2017  #correct
localtime-diff : 5535 #incorrect (expecting 3600 secs less)
gmtime-diff    : 5535 #ok
Run Code Online (Sandbox Code Playgroud)

怎么了?意思是,为什么它打印相同的DIFF为localtimegmtime,但scalar localtimescalar gmtime打印不同的(正确)的字符串?

编辑:所以,主要的问题是:如何使用perl获得与bash相同的结果?

ike*_*ami 6

双方localtime()gmtime()返回表示对象现在.


你在做:

2017-12-08T22:00:00+00:00 - 2017-12-08T21:25:25+01:00   # $tf-localtime()
2017-12-08T22:00:00+00:00 - 2017-12-08T20:25:25+00:00   # $tf-gmtime()
Run Code Online (Sandbox Code Playgroud)

看起来你想做

2017-12-08T22:00:00+01:00 - 2017-12-08T21:25:25+01:00
Run Code Online (Sandbox Code Playgroud)

使用Time :: Piece:

use Time::Piece qw( localtime );

my $future_str = 'Dec 08 2017 23:00:00';

my $format = '%b %d %Y %H:%M:%S';

my $future_dt = localtime->strptime($future_str, $format);
say $future_dt - localtime();  # 2241 (instead of 5841)
Run Code Online (Sandbox Code Playgroud)

使用DateTime:

use DateTime::Format::Strptime qw( );

my $future_str = 'Dec 08 2017 23:00:00';

my $format = DateTime::Format::Strptime->new(
   pattern   => '%b %d %Y %H:%M:%S',
   locale    => 'en',
   time_zone => 'local',
   on_error  => 'croak',
);

my $future_dt = $format->parse_datetime($future_str);
say $future_dt->epoch - time();  # 2241 (instead of 5841)
Run Code Online (Sandbox Code Playgroud)

  • Time :: Piece-> strptime(或gmtime-> Time :: Piece)导致生成的对象标记为UTC dt.localtime-> strptime将其标记为本地dt.执行`localtime-> strptime`的能力相当新,而且这种行为没有记录,但这是没有弄乱内部的唯一方法. (2认同)