리눅스 - bash shell에서 실수 연산
bash의 경우에는 부동 소수점 연산을 지원하지 않습니다. 그래서 다음과 같은 식은 오류가 발생합니다.
$ cat test.sh
NUM1=$((7/2.0))
$ ./test.sh
./test.sh: line 2: 6/2.0: syntax error: invalid arithmetic operator (error token is ".0")
기타 expr이나 let도 마찬가지입니다.
$ expr (0.5 + 1)
-bash: syntax error near unexpected token `0.5'
$ let 0.5 + 0.1
-bash: let: 0.5: syntax error: invalid arithmetic operator (error token is ".5")
$ let NUM1=0.4
-bash: let: NUM1=0.4: syntax error: invalid arithmetic operator (error token is ".4")
이를 위해서는 bc/awk의 도움을 받으라고 하는데요,
"Invalid Arithmetic Operator" when doing floating-point math in bash
; https://stackoverflow.com/questions/35634255/invalid-arithmetic-operator-when-doing-floating-point-math-in-bash
이렇게 하면 연산까지는 되지만, 그렇다고 결과가 실수로 나오지는 않습니다.
let NUM1=$(echo "13.0 / 2.0" | bc)
echo $NUM1
/* 출력 결과
6
*/
왜냐하면, bc 프로그램 자체가 입력은 실수를 허용하지만 결과는 정수로 반환하기 때문입니다. 그래서 실수 연산을 해주는 프로그램으로 우회를 해야 하는데 awk가 그런 용도로 사용할 수 있습니다.
$ cat test.sh
NUM1=$(echo "13.0 2.0" | awk '{print $1 / $2}')
echo $NUM1
$ ./test.sh
6.5
이때 주의해야 할 것은, 결과를 let으로 받으면 안 된다는 점입니다.
let NUM1=$(echo "13.0 2.0" | awk '{print $1 / $2}')
let도 shell 명령어인데요, 위의 결과는 다음과 같이 실행한 것이나 다름없기 때문입니다.
$ let NUM1=6.5
-bash: let: NUM1=6.5: syntax error: invalid arithmetic operator (error token is ".5")
[이 글에 대해서 여러분들과 의견을 공유하고 싶습니다. 틀리거나 미흡한 부분 또는 의문 사항이 있으시면 언제든 댓글 남겨주십시오.]