将日期(以毫秒为单位)转换为时间戳

时间:2016-05-28 10:02:55

标签: php date timestamp strtotime milliseconds

我的日期格式如'25 May 2016 10:45:53:567'.

我想转换成时间戳。

strtotime函数返回空。

$date = '25 May 2016 10:45:53:567';
echo strtotime($date); 
// returns empty

当我删除毫秒时,它正在工作。

$date = '25 May 2016 10:45:53';
echo strtotime($date);
// returns 1464153353

请理清我的问题。提前谢谢。

3 个答案:

答案 0 :(得分:6)

使用DateTime

$date = DateTime::createFromFormat('d M Y H:i:s:u', '25 May 2016 10:45:53:000');
echo $date->getTimestamp();
// 1464165953

// With microseconds
echo $date->getTimestamp().'.'.$date->format('u');
// 1464165953.000000

答案 1 :(得分:2)

拆分字符串:

$date = '25 May 2016 10:45:53:001';
preg_match('/^(.+):(\d+)$/i', $date, $matches);
echo 'timestamp: ' . strtotime($matches[1]) . PHP_EOL;
echo 'milliseconds: ' . $matches[2] . PHP_EOL;
// timestamp: 1464162353 
// milliseconds: 001 

答案 2 :(得分:2)

使用日期时间而不是日期和strtotime。

//using date and strtotime
$date = '25 May 2016 10:45:53:000';
echo "Using date and strtotime: ".date("Y-m-d H:i:s.u", strtotime($date)); 

echo "\n";\

//using DateTime
$date = new DateTime();
$date->createFromFormat('d M Y H:i:s.u', '25 May 2016 10:45:53:000');
echo "Using DateTime: ".$date->format("Y-m-d H:i:s.u"); 
// since you want timestamp
echo $date->getTimestamp();
// Output
// Using date and strtotime: 1969-12-31 16:00:00.000000
// Using DateTime: 2016-05-28 03:25:22.000000

Example