user595234
user595234

Reputation: 6249

perl how to convert a string to Datetime?

I tried to convert a string to date in perl, but get error.

use strict; 
use warnings;  
use DateTime;  
use Date::Manip;

my $date = ParseDate("20111121");
print "today is ".$date->day_of_week."\n"; 

error

Can't call method "day_of_week" without a package or object reference 

Looks like the package import has problem ...

Thanks

Upvotes: 19

Views: 69309

Answers (3)

JRFerguson
JRFerguson

Reputation: 7516

DateTime doesn't parse dates. I'd go for the Time::Piece core module that gives you strptime():

#!/usr/bin/env perl
use strict;
use warnings;
use Time::Piece;
my $t = Time::Piece->strptime("20111121", "%Y%m%d");
print $t->strftime("%w\n");

Upvotes: 26

David Harris
David Harris

Reputation: 2340

From the module documentation: This module does not parse dates

You need to add code such as suggested in I printed a date with strftime, how do I parse it again? to convert from a string to a date time object.

Upvotes: 0

ikegami
ikegami

Reputation: 385655

DateTime itself has no parsing facility, but there are many parsers that gererate DateTime objects. Most of the time, you'll probably want DateTime::Format::Strptime.

use DateTime::Format::Strptime qw( );
my $format = DateTime::Format::Strptime->new(
   pattern   => '%Y%m%d',
   time_zone => 'local',
   on_error  => 'croak',
);
my $dt = $format->parse_datetime('20111121');

Or you could do it yourself.

use DateTime qw( );
my ($y,$m,$d) = '20111121' =~ /^([0-9]{4})([0-9]{2})([0-9]{2})\z/
   or die;
my $dt = DateTime->new(
   year      => $y,
   month     => $m,
   day       => $d,
   time_zone => 'local',
);

Upvotes: 30

Related Questions