이메일 Bash 스크립트

이메일 Bash 스크립트

내 스크립트에 문제가 있습니다

특정 시간에 이메일을 보내고 파일이 100kb를 초과하면 설명을 포함하는 알림입니다.

이것은 내 스크립트입니다. 나에게 알림을 보내도록 구성하려면 어떻게 해야 합니까?

#!/bin/bash

file="afile"
maxsize=100

while true; do

        actualsize=$(du -k "$file" | cut -f1)

        if [ $actualsize -ge $maxsize ]
        then
                echo size is over $maxsize kilobytes
                subject="size exceed on file $file"
                emailAddr="[email protected]"
                emailCmd="mail -s \"$exceedfile\" \"$emvpacifico\""
        (echo ""; echo "date: $(date)";) | eval mail -s "$exceedfile" \"[email protected]\"
                exit
        else
                echo size is under $maxsize kilobytes
        fi

        sleep 60
done

답변1

인라인 주석을 사용하여 빠르게 다시 작성:

#!/bin/bash

file="afile"
maxsize=100

while true; do
   # Use `stat`, the tool for getting file metadata, rather than `du`
   # and chewing on its output.  It gives size in bytes, so divide by
   # 1024 for kilobytes.
   actualsize=$(($(stat --printf="%s" "$file")/1024))
      if [[ $actualsize -ge $maxsize ]]; then
         echo "size is over $maxsize kilobytes"
         subject="size exceed on file $file"
         emailAddr="[email protected]"
         # In almost all cases, if you are using `eval`, either
         # something has gone very wrong, or you are doing a thing in
         # a _very_ suboptimal way.
         echo "Date: $(date)" | mail -s "$subject" "$emailAddr"
      else
         echo "size is under $maxsize kilobytes"
      fi
   sleep 60
done

또한 스크립트를 무한 루프로 실행하는 대신 한 번만 실행되도록 스크립트를 변경하고 cron테이블 항목을 사용하여 실행되도록 예약하는 것이 좋습니다.

관련 정보