web-dev-qa-db-ja.com

bashを使用して時間を減算しますか?

24時間の時間を含む変数を減算するためにbashを使用することは可能ですか?

#!/bin/bash
var1="23:30" # 11:30pm
var2="20:00" # 08:00pm

echo "$(expr $var1 - $var2)"

実行すると以下のエラーが発生します。

./test 
expr: non-integer argument

出力を10進形式で表示する必要があります。次に例を示します。

./test 
3.5
5
user328302

dateコマンドは、その入力に関してかなり柔軟です。あなたはそれを有利に使うことができます:

#!/bin/bash
var1="23:30"
var2="20:00"

# Convert to Epoch time and calculate difference.
difference=$(( $(date -d "$var1" "+%s") - $(date -d "$var2" "+%s") ))

# Divide the difference by 3600 to calculate hours.
echo "scale=2 ; $difference/3600" | bc

出力:

$ ./test.bash
3.50
9
Haxiel

bashのみを使用して、外部プログラムなしで、次のようにすることができます。

#!/bin/bash

# first time is the first argument, or 23:30     
var1=${1:-23:30}
# second time is the second argument, or 20:00
var2=${2:-20:00}

# Split variables on `:` and insert pieces into arrays
IFS=':' read -r -a t1 <<< "$var1"
IFS=':' read -r -a t2 <<< "$var2"

# strip leading zeros (so it's not interpreted as octal
t1=("${t1[@]##0}")
t2=("${t2[@]##0}")

# check if the first time is before the second one
if (( t1[0] > t2[0] || ( t1[0] == t2[0] && t1[1] > t2[1]) ))
then
  # if the minutes on the first time are less than the ones on the second time
  if (( t1[1] < t2[1] ))
  then
    # add 60 minutes to time 1
    (( t1[1] += 60 ))
    # and subtract an hour
    (( t1[0] -- ))
  fi
  # now subtract the hours and the minutes
  echo $((t1[0] -t2[0] )):$((t1[1] - t2[1]))
  # to get a decimal result, multiply the minutes by 100 and divide by 60
  echo $((t1[0] -t2[0] )).$(((t1[1] - t2[1])*100/60))
else
  echo "Time 1 should be after time 2" 2>&1
fi

テスト:

$ ./script.sh 
3:30
3.50

$ ./script.sh 12:10 11:30
0:40
0.66

$ ./script.sh 12:00 11:30
0:30
0.50

もっと複雑な時差が必要な場合、それが異なる日にまたがる可能性がある場合、おそらくGNU dateを使用するのが最善です。

5
user000001