1.初识docker
Docker是一个开源的应用容器引擎,基于 Go 语言 并遵从 Apache2.0 协议开源
容器,大白话就是个装东西的玩意,但里面装的是【应用+依赖环境】。这样一来,应用及其运行依赖被容器打包在一起,就可以任意移植而屏蔽了不同机器软硬件环境的不一致
另外,容器也提供了应用运行时与外界隔离的环境
比如,本地用Python3开发网站后台,完成后将Python3及项目依赖包、django、redis、Mysql、Nginx等全部打包到一个容器中,就可以部署到任意你想部署到的环境
应用寄生于容器而不是平台,容器也将应用的runtime environment与外界隔离
2.安装docker和简单使用
- A. 前往https://www.docker.com/products/docker-desktop下载对应平台的docker-desktop应用
- B. 打开shell,输入
$ docker info
or
$ docker version
显示一堆键值对说明docker环境安装成功
- C. 打开docker-desktop,根据提示进行clone -> build -> run3步进行简单使用
3.docker相关说明
Docker的三个概念
镜像(Image):A Docker image is a private file system just for your container. It provides all the files and code your container needs. 镜像是一个包含有文件系统的面向Docker引擎的只读模板,容器的全部所需都来源于镜像。例如一个Ubuntu镜像就是一个包含Ubuntu操作系统环境的模板,同理在该镜像上装上Apache软件,就可以称为Apache镜像
容器(Container):容器是镜像创建的应用实例。注意:镜像本身是只读的,容器从镜像启动时,Docker在镜像的上层创建一个可写层,镜像本身不变,类似我们操作虚拟机不会改变虚拟机的镜像。容器可以创建、启动、停止、删除
Since the image contains the container's filesystem, it must contain everything needed to run an application - all dependencies, configuration, scripts, binaries, etc. The image also contains other configuration for the container, such as environment variables, a default command to run, and other metadata.
仓库(Repository):类似于git仓库,是Docker用来集中存放镜像文件的地方。而仓库Repository又存放在注册服务器registry中【官方注册服务器(https://hub.docker.com】
)。整个的关系链是registry -> Repository -> image
4.容器化2步走
很简单,首先来个镜像,然后run,一run就是创了个容器
4.1 镜像哪里来
-
1.从官方注册服务器registry的仓库Repository中pull下来
search centos
使用命令 docker search image_name[:version_tag] 查找仓库中有没有要的镜像
使用命令 docker pull image_name[:version_tag] pull下来
docker pull image_name
使用命令 docker images 查看现有镜像
docker images -
2.自建镜像
可以将容器导出为镜像。例如一个容器运行centos系统镜像,原镜像没有golang,我装上golang之后,通过commit命令将带有git的centos系统导出为新的镜像
docker commit -a "author_name" -m "message" source_containerid image_name[:version_tag]
同时,也可以利用Dockerfile + docker build 命令创建镜像。A Dockerfile is simply a text-based script of instructions that is used to create a container image.
Dockerfile文件模板
FROM primary_image // 表示 start from 基础镜像primary_image。如果primary_image在本地已经存在,则直接使用本地的镜像;否则会从官方repo里面pull下来
ENV key=value // 设置新镜像的环境变量
ARG key=value // 设置build镜像过程中的临时变量
COPY source des // 从本地上下文目录中复制文件或者目录到容器里指定路径,容器内的指定路径不用事先建好,会自动创建
RUN shell_command // 建镜像的过程中执行shell_command
CMD command // 镜像建好后,装入容器运行时执行command. 如果 Dockerfile 中如果存在多个 CMD 指令,仅最后一个生效
4.2 镜像run起来,容器new起来
当镜像通过run启动后,就载入到一个动态的container(容器)中运行
常用run命令为
$ docker run -d [-p outer_port:container_port] -it image_name[:version_tag] /bin/bash
参数说明
-it: -i和-t的组合,interactive flag, TTY flag (gives you a terminal),开启交互模式
-p outer_port:container_port: 宿主机端口到容器端口的映射
-d: - run the container in detached mode (in the background),返回容器ID。因此一般不和-it连用
run起来后,使用docker ps -a查看所有容器(status包括running and stop)
使用docker start/stop containerid启动或停止容器
5.其他命令
交互模式的容器,使用ctrl+p+q退出交互保持后台运行,使用exit命令退出并停止容器
后台运行的容器转交互模式
docker exec -it containerid /bin/bash
删除容器
docker rm containerid
删除镜像
docker rmi imageid
网友评论