web-dev-qa-db-ja.com

Dockerfile内のMongorestore

Mongoサーバーを起動し、起動時に以前のmongodumpから自動的に復元するDockerイメージを作成したいと思います。


これがイメージの私のDockerfileです。

 FROM mongo

 COPY dump /home/dump

 CMD mongorestore /home/dump

これを実行すると、次のエラーが発生します。

Failed: error connecting to db server: no reachable servers


mongorestoreコマンドをDockerで実行する方法はありますか?

17
RyanNHG

この答え 、Marc Youngの答え、およびDockerfileリファレンスの助けを借りて、これを機能させることができました。


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

14
RyanNHG

これは古い質問であり、上記の解決策はまだ機能する可能性がありますが、それ以降のバージョンでは、インスタンスが最初にロードされる場合に実行される/docker-entrypoint-initdb.d/に.shおよび.jsスクリプトを追加できます(/ data/dbは空です)。

これで、Dockerfileは次のようになります。

FROM mongo

COPY ./data-dump/ /tmp/dump/mydb/

COPY ./import_data.sh /docker-entrypoint-initdb.d/import_data.sh

CMD chmod 777 /docker-entrypoint-initdb.d/import_data.sh #this is probably to permissive

これで、import_data.shは、コンテナが最初に起動したときに実行されます(または、そこにある他のファイル)。

# change the mongorestore command to match your case, adding user/password and other options.
mongorestore /tmp/dump # note we can possibly restore many DBs. 

文書化されています ここの下に新しいインスタンスを初期化していますセクション

6
Tomer Cagan

問題はドッカーではありません。

mongoのdockerfile を見ると、CMD ["mongod"] mongoサービスを開始します。

あなたが言った FROM MONGOCMD行を上書きしました。これは、mongoがmongodを介して開始されなかったことを意味します。 CMD mongod; mongorestore /home/dump

2
Marc Young

RyanNHGと同様のソリューションですが、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
2
hisener

あなたはおそらくこれをプロダクションに使用したくないでしょうが、それはあなたが必要とすることをします:

== Dockerfile ==
FROM mongo:3

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

ENTRYPOINT /restore.sh

その後

== 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