2

我创建了一个微服务(https://github.com/staticdev/enelvo-microservice),它需要克隆一个 git 存储库以创建一个 docker 映像,使用单阶段 Dockerfile 最终映像有 759MB:

FROM python:3.7.6-slim-stretch

# set the working directory to /app
WORKDIR /app

# copy the current directory contents into the container at /app
COPY . /app

RUN apt-get update && apt-get install -y git \
 && pip install -r requirements.txt \
 && git clone https://github.com/tfcbertaglia/enelvo.git enelvo-src \
 && cd enelvo-src \
 && python setup.py install \
 && cd .. \
 && mv enelvo-src/enelvo enelvo \
 && rm -fr enelvo-src

EXPOSE 50051

# run app.py when the container launches
CMD ["python", "app.py"]

我尝试了使用多阶段构建(https://blog.bitsrc.io/a-guide-to-docker-multi-stage-builds-206e8f31aeb8)的方法来减少没有 git 和 apt-get 列表的图像大小(来自更新):

FROM python:3.7.6-slim-stretch as cloner

RUN apt-get update && apt-get install -y git \
 && git clone https://github.com/tfcbertaglia/enelvo.git enelvo-src

FROM python:3.7.6-slim-stretch

COPY --from=cloner /enelvo-src /app/enelvo-src

# set the working directory to /app
WORKDIR /app

# copy the current directory contents into the container at /app
COPY . /app

RUN pip install -r requirements.txt \
 && cd enelvo-src \
 && python setup.py install \
 && cd .. \
 && mv enelvo-src/enelvo enelvo \
 && rm -fr enelvo-src

EXPOSE 50051

# run app.py when the container launches
CMD ["python", "app.py"]

问题是,在这样做之后,最终大小变得更大(815MB)。知道在这种情况下可能出了什么问题吗?

4

1 回答 1

1

在您正在运行的第一个示例中

RUN git clone https://github.com/tfcbertaglia/enelvo.git enelvo-src \
    ... \
 && rm -fr enelvo-src

所以enelvo-src树永远不会存在于这个特定的RUN指令之外;它在 Docker 可以用它构建一个层之前被删除。

在第二个示例中,您正在运行

COPY --from=cloner /enelvo-src /app/enelvo-src
RUN rm -fr enelvo-src

第一步之后,Docker 在内部创建了一个镜像层,其中包含该源树的内容。后续RUN rm实际上并没有使图像更小,它只是记录了从技术上讲,来自早期层的内容不再是文件系统的一部分。

通常,使用多阶段构建的标准方法是在早期阶段尽可能多地构建,并且只COPY将最终结果放入运行时映像。对于 Python 包,一种可行的方法是从包中构建一个轮子

FROM python:3.7.6-slim-stretch as build
WORKDIR /build
RUN apt-get update && apt-get install -y git \
 && git clone https://github.com/tfcbertaglia/enelvo.git enelvo-src
 && ...
 && python setup.py bdist_wheel  # (not "install")

FROM python:3.7.6-slim-stretch
WORKDIR /app
COPY --from=build /build/dist/wheel/enelvo*.whl .
RUN pip install enelvo*.whl
...
于 2020-02-18T00:25:43.220 回答