有很多问题要求如何以另一种方式执行此操作(转换从这种格式),但我无法找到有关如何在PHP中以ISO 8601持续时间格式输出的任何内容。
所以我有一堆人类可读格式的持续时间字符串 - 我想在运行时将它们转换为ISO 8601格式,以打印HTML5微数据的持续时间。下面是一些字符串的示例,以及它们应如何格式化
"1 hour 30 minutes" --> PT1H30M
"5 minutes" --> PT5M
"2 hours" --> PT2H
你明白了。
我可以将字符串推送到PHP中的间隔对象:
date_interval_create_from_date_string("1 hour 30 minutes");
但似乎没有ISO 8601输出选项 - 我该如何处理?
谢谢大家。
答案 0 :(得分:13)
我首先将它转换为数字,然后使用它。
首先,使用strtotime()
:
$time = strtotime("1 hour 30 minutes", 0);
然后您可以解析它的持续时间,并以PnYnMnDTnHnMnS
格式输出。我使用以下方法(受http://csl.sublevel3.org/php-secs-to-human-text/启发):
function time_to_iso8601_duration($time) {
$units = array(
"Y" => 365*24*3600,
"D" => 24*3600,
"H" => 3600,
"M" => 60,
"S" => 1,
);
$str = "P";
$istime = false;
foreach ($units as $unitName => &$unit) {
$quot = intval($time / $unit);
$time -= $quot * $unit;
$unit = $quot;
if ($unit > 0) {
if (!$istime && in_array($unitName, array("H", "M", "S"))) { // There may be a better way to do this
$str .= "T";
$istime = true;
}
$str .= strval($unit) . $unitName;
}
}
return $str;
}
答案 1 :(得分:6)
以下是Eric time_to_iso8601_duration()
函数的简化版本。它没有松散的精度(一年365天的近似值)并且速度提高了约5倍。根据{{3}}页面,输出不太漂亮但仍然兼容ISO 8601。
function iso8601_duration($seconds)
{
$days = floor($seconds / 86400);
$seconds = $seconds % 86400;
$hours = floor($seconds / 3600);
$seconds = $seconds % 3600;
$minutes = floor($seconds / 60);
$seconds = $seconds % 60;
return sprintf('P%dDT%dH%dM%dS', $days, $hours, $minutes, $seconds);
}
答案 2 :(得分:0)
另一种方法是基于DateInterval对象编写函数。 ISO 8601 duration format的描述很好。
此方法的优点在于,它仅输出相关的(当前)表示形式,并且支持空持续时间(通常表示为'PT0S'
或'P0D'
)。
function dateIntervalToISO860Duration(\DateInterval $d) {
$duration = 'P';
if (!empty($d->y)) {
$duration .= "{$d->y}Y";
}
if (!empty($d->m)) {
$duration .= "{$d->m}M";
}
if (!empty($d->d)) {
$duration .= "{$d->d}D";
}
if (!empty($d->h) || !empty($d->i) || !empty($d->s)) {
$duration .= 'T';
if (!empty($d->h)) {
$duration .= "{$d->h}H";
}
if (!empty($d->i)) {
$duration .= "{$d->i}M";
}
if (!empty($d->s)) {
$duration .= "{$d->s}S";
}
}
if ($duration === 'P') {
$duration = 'PT0S'; // Empty duration (zero seconds)
}
return $duration;
}
一个例子:
echo dateIntervalToISO860Duration(
date_diff(
new DateTime('2017-01-25 18:30:22'),
new DateTime('2019-03-11 07:12:17')
)
);
输出:P2Y1M13DT12H41M55S