0

我需要一个脚本来进行一些日期/时间转换。它应该作为一个特定时间的输入。然后它应该以小时:分钟的形式和经过的毫秒数生成一系列偏移量。

例如,对于 03:00,它应该返回 04:02:07 (3727000ms*) 05:04:14 (7454000ms)、06:06:21 等...

我将如何将其作为 bash 脚本执行?理想情况下,它可以在 Mac OS X 和 Linux(Ubuntu 或 Debian)上运行。

  • (1小时* 60分钟/小时*60秒/分钟*1000毫秒/秒)+(2分钟*60秒/分钟* 1000毫秒/秒)+(7秒*1000毫秒/秒) = (60*60*1000)+(2* 60*1000)+(7*1000) = 3727000
4

1 回答 1

2
time2ms () {
    local time=$1 hour minute second
    hour=${time%%:*}
    minute=${time#$hour:}
    minute=${minute%:*}
    second=${time#$hour:$minute}
    second=${second/:}
    echo "$(( ( (10#${hour} * 60 * 60) + (10#${minute} * 60) + 10#${second} ) * 1000 ))"
}

ms2time () {
    local ms=$1 hour minute second
    ((second = ms / 1000 % 60))
    ((minute = ms / 1000 / 60 % 60))
    ((hour = ms / 1000 / 60 / 60))
    printf '%02d:%02d:%02d\n' "$hour" "${minute}" "${second}"
}

show_offsets () {
    local time=$1 interval=$2 time_ms interval_ms new_time
    time_ms=$(time2ms "$time")
    interval_ms=$(time2ms "$interval")
    new_time=$(ms2time $((time_ms + interval_ms)) )
    echo "$new_time (${interval_ms}ms)"
}

演示:

$ show_offsets 03:00 1:02:07
04:02:07 (3727000ms)
$ show_offsets 03:00 2:04:14
05:04:14 (7454000ms)
$ show_offsets 03:00 3:06:21
06:06:21 (11181000ms)
于 2012-06-05T02:14:24.820 回答