Reputation: 12796
I have a shell script to do some mongo db actions:
e.g. mongo testdb --eval "db.dropDatabase()"
BUT, if the mongod server is not running, I get:
MongoDB shell version: 2.0.4
connecting to: testdb
Tue May 14 04:33:58 Error: couldn't connect to server 127.0.0.1 shell/mongo.js:84
Is there a way in mongo I can check the connection status? Eventually I want something like:
if(mongod is running):
mongo testdb --eval "db.dropDatabase()"
else:
echo "pls make sure your mongod is running"
exit 1
Upvotes: 6
Views: 14568
Reputation: 5880
If you have administrative rights, you could also do a sudo systemctl status mongod
which gives you lots of helpful additional information:
mongod.service - MongoDB Database Server
Loaded: loaded (/lib/systemd/system/mongod.service; enabled; vendor preset: enabled)
Active: active (running) since Thu 2019-03-14 09:26:53 UTC; 5 weeks 9 days ago
Docs: https://docs.mongodb.org/manual
Main PID: 420 (mongod)
CGroup: /system.slice/mongod.service
└─420 /usr/bin/mongod --config /etc/mongod.conf
Upvotes: 0
Reputation: 975
try running this in your shell script:-
pgrep mongod
If the value is numeric you know that the process is running, if you get an empty value, flag it as service not running...
Upvotes: 4
Reputation: 104
this is what i run to check if mongod is up:
# this script checks if the mongod is running.
# if not, send mail
#
EMAILIST=dba@wherever
`ps -A | grep -q '[m]ongod'`
if [ "$?" -eq "0" ]; then
exit 0
else
echo "The mongod server SB2MDB01 is DOWN" | mailx \
-s "Server DOWN: SB2MDB01" $EMAILIST
fi
exit 0
Upvotes: 1
Reputation: 59793
You should be able to create a bash script like this:
mongo --eval "db.stats()" # do a simple harmless command of some sort
RESULT=$? # returns 0 if mongo eval succeeds
if [ $RESULT -ne 0 ]; then
echo "mongodb not running"
exit 1
else
echo "mongodb running!"
fi
Upvotes: 25