0

我正在尝试使用 getHours 和 getMinutes 在以后的函数中使用它们。问题是我总是希望最终数字是 3 或 4 位和 2 位。发生的情况是分钟为 0-9 时,1:04 的结果为 14。这是我的代码,它不能解决问题。

    $hours = (new Date).getHours(),
    $mins = (new Date).getMinutes();
    function addZero($hours) {
      if ($hours < 10) {
        $hours = "0" + $hours;
      }
      return $hours;
    }
    function addZero($mins) {
      if ($mins < 10) {
        $mins = "0" + $mins;
      }
      return $mins;
    }
    $nowTimeS = $hours + "" + $mins;


    // Convert string with now time to int
    $nowTimeInt = $nowTimeS;
4

2 回答 2

1

问题是你有两个同名的函数,但你从不调用那个函数:

$date = new Date();
$hours = $date.getHours(),
$mins = $date.getMinutes();

$nowTimeS = addZero($hours) + "" + addZero($mins);

// Convert string with now time to int
$nowTimeInt = $nowTimeS;


function addZero($time) {
  if ($time < 10) {
    $time = "0" + $time;
  }

  return $time;
}
于 2017-02-01T07:29:34.760 回答
0

您使用相同的名称定义了两次函数并且从未调用过它

也许你正在寻找这个?

function pad(num) {
  return ("0"+num).slice(-2);
}
var d = new Date(),
    hours = d.getHours(),
    mins = d.getMinutes(),
    nowTimeS = pad(hours) + ":" + pad(mins);
console.log(nowTimeS)

于 2017-02-01T07:29:17.187 回答