Check if rsync command ran successful

点点圈 提交于 2020-07-04 07:10:31

问题


The following bash-script is doing a rsync of a folder every hour:

#!/bin/bash
rsync -r -z -c /home/pi/queue root@server.mine.com:/home/foobar
rm -rf rm /home/pi/queue/*
echo "Done"

But I found out that my Pi disconnected from the internet, so the rsync failed. So it did the following command, deleting the folder. How to determine if a rsync-command was successful, if it was, then it may remove the folder.


回答1:


Usually, any Unix command shall return 0 if it ran successfully, and non-0 in other cases.

Look at man rsync for exit codes that may be relevant to your situation, but I'd do that this way :

#!/bin/bash
rsync -r -z -c /home/pi/queue root@server.mine.com:/home/foobar && rm -rf rm /home/pi/queue/* && echo "Done"

Which will rm and echo done only if everything went fine.

Other way to do it would be by using $? variable which is always the return code of the previous command :

#!/bin/bash
rsync -r -z -c /home/pi/queue root@server.mine.com:/home/foobar
if [ "$?" -eq "0" ]
then
  rm -rf rm /home/pi/queue/*
  echo "Done"
else
  echo "Error while running rsync"
fi

see man rsync, section EXIT VALUES




回答2:


you need to check the exit value of rsync

#!/bin/bash
rsync -r -z -c /home/pi/queue root@server.mine.com:/home/foobar
if [[ $? -gt 0 ]] 
then
   # take failure action here
else
   rm -rf rm /home/pi/queue/*
   echo "Done"
fi

Set of result codes here: http://linux.die.net/man/1/rsync




回答3:


Old question but I am surprised nobody has given the simple answer:
   Use the --remove-source-files rsync option.
I think it is exactly what you need.

From the man page:

--remove-source-files   sender removes synchronized files (non-dir)

Only files that rsync has fully successfully transferred are removed.

When unfamiliar with rsync it is easy to be confused about the --delete options and the --remove-source-files option. The --delete options remove files on the destination side. More info here: https://superuser.com/questions/156664/what-are-the-differences-between-the-rsync-delete-options



来源:https://stackoverflow.com/questions/24454391/check-if-rsync-command-ran-successful

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!