How to Automate Manual Steps after SSH
I recently worked on a Django web application which was deployed on a Linux Server with SSH access. Deployments were done manually and the CI/CD pipeline was still in planning.
We had to perform these tasks every time to deploy the latest changes.
- SSH into the server
- Goto directory where the code is present
- Activate Virtual Environment
- Pull the latest changes on the current branch using Git
- Install any newly added libraries from requirements.txt
- Run migrations for the database
- Run command to generate static files
- Restart Nginx and Supervisor
I found the process repetitive and researched on whether it was possible to automate the commands I need to run after SSHing into the server.
ssh -i "webapp.pem" ubuntu@example.com
Turns out, we can write a shell script to automate the task. ## Step 1: Create a new shell script file deploy.sh
with the following content. Modify it to point to your PEM file, username, and IP address.
#!/bin/bash
ssh -i "webapp.pem" ubuntu@example.com << EOF
echo "Hello World"
EOF
The above code prints ‘Hello World’ on the remote server.
Step 2:
You can write any shell commands between the two EOF
and it will be run on the remote server. Add the sequence of commands you currently run manually on the server to this script.
For the Django project, I wrote the following commands that pulls the latest code and restarts the services.
#!/bin/bash
-i "webapp.pem" ubuntu@example.com << EOF
ssh /var/www/webapp/
cd
"Switching to www-data user"
echo -Hu www-data bash
sudo
"Pulling Latest Changes"
echo
git pull
"Activating Virtual Environment"
echo /bin/activate
source venv
"Installing any new libraries"
echo -r requirements.txt
pip install
"Migrating Database"
echo
python manage.py migrate
"Returning back to Ubuntu user"
echo
exit
"Restarting Supervisor and Nginx"
echo
sudo service supervisor restart
sudo service nginx restart
"Deployment Finished"
echo EOF
Step 3:
Run the below command to change permissions of the script and make it executable.
chmod a+x deploy.sh
Step 4:
Run the script and it will perform all the deployment.
./deploy.sh
This simple script has saved me a lot of time until the CI/CD process is in place.