web-dev-qa-db-fra.com

Mongorestore dans un fichier Docker

Je veux créer une image Docker qui démarre un serveur Mongo et restaure automatiquement à partir d'une précédente mongodump au démarrage.


Voici mon Dockerfile pour l'image:

 FROM mongo

 COPY dump /home/dump

 CMD mongorestore /home/dump

Quand je lance ceci, je rencontre cette erreur:

Failed: error connecting to db server: no reachable servers


Est-il possible d'obtenir la commande mongorestore pour exécuter Docker?

13
RyanNHG

Avec l'aide de cette réponse , la réponse de Marc Young et la référence Dockerfile, j'ai pu faire en sorte que cela fonctionne.


Dockerfile

FROM mongo

COPY dump /home/dump
COPY mongo.sh /home/mongo.sh
RUN chmod 777 /home/mongo.sh

CMD /home/mongo.sh

mongo.sh

#!/bin/bash

# Initialize a mongo data folder and logfile
mkdir -p /data/db
touch /var/log/mongodb.log
chmod 777 /var/log/mongodb.log

# Start mongodb with logging
# --logpath    Without this mongod will output all log information to the standard output.
# --logappend  Ensure mongod appends new entries to the end of the logfile. We create it first so that the below tail always finds something
/entrypoint.sh mongod --logpath /var/log/mongodb.log --logappend &

# Wait until mongo logs that it's ready (or timeout after 60s)
COUNTER=0
grep -q 'waiting for connections on port' /var/log/mongodb.log
while [[ $? -ne 0 && $COUNTER -lt 60 ]] ; do
    sleep 2
    let COUNTER+=2
    echo "Waiting for mongo to initialize... ($COUNTER seconds so far)"
    grep -q 'waiting for connections on port' /var/log/mongodb.log
done

# Restore from dump
mongorestore --drop /home/dump

# Keep container running
tail -f /dev/null

13
RyanNHG

le problème n'est pas avec docker.

Si vous regardez le fichier dockerfile pour mongo il exécute CMD ["mongod"] qui démarre le service mongo.

Vous avez dit FROM MONGO mais vous avez écrasé la ligne CMD. cela signifie que mongo n'a jamais commencé via mongod. alors essayez CMD mongod; mongorestore /home/dump

1
Marc Young

Vous ne voulez probablement pas utiliser ceci pour la production, mais il fait ce dont vous avez besoin:

== Dockerfile ==
FROM mongo:3

COPY restore.sh /restore.sh
COPY ./mongodump /dump/

ENTRYPOINT /restore.sh

puis

== restore.sh ==
#!/usr/bin/env bash

# Execute restore in the background after 5s
# https://docs.docker.com/engine/reference/run/#detached--d
sleep 5 && mongorestore /dump &

# Keep mongod in the foreground, otherwise the container will stop
docker-entrypoint.sh mongod
0
pgpb.padilla

Une solution similaire à celle de RyanNHG, mais sans fichier sh.

Dockerfile

FROM mongo:3.6.8

COPY dump/ /tmp/dump/

CMD mongod --fork --logpath /var/log/mongodb.log; \
    mongorestore /tmp/dump/; \
    mongod --shutdown; \
    docker-entrypoint.sh mongod
0
hisener