eekfonky
eekfonky

Reputation: 855

run 2 rsync commands and print the output to a log file

I'm new to scripting and would like to understand how to print out the variables based on boolean logic.

#!/bin/bash

# set variables
WEBAPPS_YES="Successfully synced webapps folder"
WEBAPPS_NO="Could not sync webapps folder"
RSYNC_YES="Successfully synced rsync log file"
RSYNC_NO="Could not sync rsync log file"

# Command to rsync 'webapps' folder and write to a log file
rsync -azvh ~/webapps -e ssh [email protected]:/home/directories >> /path/to/rsync.log 2>&1

# Command to rsync 'rsync.log' to a log file on backup server 'Larry'
rsync -azvh --delete ~/rsync.log -e ssh [email protected]:/path/to/logs

if [ $? -eq 0 ]
 then
  echo 
  exit 0
else
  echo  >&2
  exit 1
fi

I would like the whole if, then, else part to print out in the echo if both parts succeeded or not. I know I need some kind of logic statements but cannot figure it out.

Upvotes: 1

Views: 2029

Answers (1)

laurent
laurent

Reputation: 90756

You can check the result after running each rsync command, and display the result afterwards. I think that would work:

# Command to rsync 'webapps' folder and write to a log file
rsync -azvh ~/webapps -e ssh [email protected]:/home/directories >> /path/to/rsync.log 2>&1
RESULT1="$?"

# Command to rsync 'rsync.log' to a log file on backup server 'Larry'
rsync -azvh --delete ~/rsync.log -e ssh [email protected]:/path/to/logs
RESULT2="$?"

if [ "$RESULT1" != "0" ]; then
    echo "$WEBAPPS_NO"
else
    echo "$WEBAPPS_YES"
fi

if [ "$RESULT2" != "0" ]; then
    echo "$RSYNC_NO"
else
    echo "$RSYNC_YES"
fi

Upvotes: 2

Related Questions