Docker是开发人员和系统管理员 使用容器开发,部署和运行应用程序的平台。使用Linux容器来部署应用程序称为集装箱化。容器可以轻松地部署应用程序。
镜像是一个可执行的应用程序包,其包含该应用程序执行所需的任何东西,比如代码、运行时、库文件、环境变量和配置文件。
容器是镜像运行时的实例,通过docker ps
可以查看所有的容器。
容器运行在系统(Linux)本地, 并与其他容器共享主机的内核。它是一个独立的进程, 不占用其他可执行文件的内存, 这使其变得轻量的。
相比之下,虚拟机(VM)运行一个完整的“客户”操作系统,通过虚拟机管理程序虚拟访问主机资源。 一般来说,虚拟机提供的环境比大多数应用程序需要的资源更多。
参考Docker安装文档
通过Dockerfile文件定义一个容器,以下是一个示例
# Use an official Python runtime as a parent image
FROM python:2.7-slim
# Set the working directory to /app
WORKDIR /app
# Copy the current directory contents into the container at /app
ADD . /app
# Install any needed packages specified in requirements.txt
RUN pip install --trusted-host pypi.python.org -r requirements.txt
# Make port 80 available to the world outside this container
EXPOSE 80
# Define environment variable
ENV NAME World
# Run app.py when the container launches
CMD ["python", "app.py"]
requirements.txt 内容为:
Flask // 基于python的web服务框架
Redis // 一种缓存数据库
app.py 内容为:
from flask import Flask
from redis import Redis, RedisError
import os
import socket
# Connect to Redis
redis = Redis(host="redis", db=0, socket_connect_timeout=2, socket_timeout=2)
app = Flask(__name__)
@app.route("/")
def hello():
try:
visits = redis.incr("counter")
except RedisError:
visits = "cannot connect to Redis, counter disabled"
html = "Hello {name}!
" \
"Hostname: {hostname}
" \
"Visits: {visits}"
return html.format(name=os.getenv("NAME", "world"), hostname=socket.gethostname(), visits=visits)
if __name__ == "__main__":
app.run(host='0.0.0.0', port=80)
通过Dockerfile生成镜像
$ docker build -t test1 . // -t test1 表示设置镜像的别名为test1, '.'表示Dockerfile所在目录为当前目录
$ docker images
REPOSITORY TAG IMAGE ID CREATED SIZE
test1 latest bd43675e7710 26 minutes ago 132MB
python 2.7-slim 02ca219cf841 4 days ago 120MB
通过run命令运行镜像,-p参数制定端口映射关系,此处将电脑4000端口指向容器发布端口80(Dockerfile指定的)
$ docker run -p 4000:80 test1
其实就是镜像版本号
语法:
docker tag imageName username/respositoryName:tagName
$ docker tag test1 yanguangqishimi/testdemo:1.0.2
REPOSITORY TAG IMAGE ID CREATED SIZE
test1 1.0.2 d9e555c53008 3 minutes ago 195MB
将镜像发布到docker 仓库
$ docker push yanguangqishimi/testdemo:1.0.2
将远程仓库的镜像pull下来,并运行
docker run -p 4000:80 yanguangqishimi/testdemo:1.0.2