PHP strtotime需要调整

时间:2016-11-13 20:12:04

标签: php wordpress strtotime

我正在开发一个php函数来计算wordpress表单插件中两个用户输入时间字段之间的总时间,但是当时间跨越2400小时时,该函数无效。

这是确切的情况:我正在尝试计算用户睡了多长时间,但是当开始时间是晚上(例如23:00)时,我得到一个负数,结束时间(唤醒)是第二天早上(例如07:00) - 这是因为时间是从同一天显示两个时间的表格中获取的,所以开始时间看起来大于使用strtotime转换的结束时间。

以下是原始代码:

add_filter('frm_validate_field_entry', 'calculate_time', 11, 3);
function calculate_time($errors, $field, $value){
if($field->id == 98){ //98 is the field id from the wordpress plugin that will store the total time I'm using
  $start = (strtotime($_POST['item_meta'][88])); //88 is the field id for 'go to sleep time' from the wordpress forms program - the user selects times from 00:00 to 23:00
  $end = (strtotime($_POST['item_meta'][78])); //78 is the field id for 'wake up time' from the wordpress forms program - the user selects times from 00:00 to 23:00
  $totaltime = ($end - $start);
  $hours = intval($totaltime / 3600);   
  $seconds_remain = ($totaltime - ($hours * 3600)); 
  $minutes = intval($seconds_remain / 60);
  $totaltime = $hours . ':' . $minutes; 
  $value = $_POST['item_meta'][98] = $totaltime; //change 25 to the ID of the hidden or admin only field which will hold the calculation
}
return $errors;
}

以下是我尝试通过在结束时间增加12小时进行调整的情况,如果它小于开始时间:

add_filter('frm_validate_field_entry', 'calculate_time', 11, 3);
function calculate_time($errors, $field, $value){
if($field->id == 98){ 
  $start = (strtotime($_POST['item_meta'][88]));
  $end = (strtotime($_POST['item_meta'][78])); 

  if ($end < $start) {
    $end = ($end + 43200)
    $totaltime = ($end - $start);
    $hours = intval($totaltime / 3600);   
    $seconds_remain = ($totaltime - ($hours * 3600)); 
    $minutes = intval($seconds_remain / 60);
    $totaltime = $hours . ':' . $minutes;   
    $value = $_POST['item_meta'][98] = $totaltime; 

} else 

{

  $totaltime = ($end - $start);
  $hours = intval($totaltime / 3600);   
  $seconds_remain = ($totaltime - ($hours * 3600)); 
  $minutes = intval($seconds_remain / 60);
  $totaltime = $hours . ':' . $minutes; 
  $value = $_POST['item_meta'][98] = $totaltime; 
}
}
return $errors;

1 个答案:

答案 0 :(得分:0)

作为strtotime

int strtotime ( string $time [, int $now = time() ] )  
     

函数期望给出一个包含英文日期格式的字符串,并尝试将该格式解析为Unix时间戳(自1970年1月1日00:00:00 UTC以来的秒数),相对于现在给出的时间戳,或者现在没有提供当前时间。

在你的情况下,这两个时间都是相对于今天解释的,即今天早上7点和今晚11点。

要解决此问题,只需调整一整天,例如24*60*60秒,或明天的日期作为结束的基础。因此,不是两个大分支,在开始时进行小调整,然后统一计算差异

$start = strtotime($_POST['item_meta'][88]);
$end = strtotime($_POST['item_meta'][78]);
if ($end < $start)
    $end += 86400; // shift the end 24 hours into tomorrow

$totaltime = $end - $start;

不相关,但您无需手动计算小时和分钟,而是使用DateTime::format

$date = DateTime::createFromFormat('U', $totaltime);
$s = $date->format('H:I');