SlideShare a Scribd company logo
Docker Up and Running for Web
Developers
Amr Fawzy Mohammed
Outline
● What is Docker ?
● Docker Overview
● Why Docker ?
● What is the Docker platform ?
● Union file systems
● What happens when you run a container ?
● Install Docker
● Managing Images and Containers
● Docker Networking
● Get source code into a Container
● Volumes
● Communication between Containers
● First we need to know what Containers actually are or
what they bring to the table, in order to do this we
need to briefly review the history of an application's
runtime environment.
What is Docker ?
● In the beginning we used to build applications directly
on physical servers in 1:1 ratio.
Application's Runtime Environment
● Disadvantages of this technique:
○ Every application requires a ton of infrastructure.
○ It takes a lot of time to deploy or scale an app.
○ Financially, that was a highly expensive.
○ It causes massive waste of resources.
■ Most of the time these servers run at a tiny fraction of their
capabilities.
Application's Runtime Environment cont.
● This solution was not meant to be last for a long time.
● Virtualization takes place.
Application's Runtime Environment cont.
● Virtualization technology
enables to build multiple
virtual machines on top
of a physical machine
which means running
multiple applications on
top of a single physical
server.
Application's Runtime Environment cont.
Application's Runtime Environment cont.
● Each virtual machine has it's own OS which is
considered a huge overhead and a massive waste of the
host physical machine's resources.
Application's Runtime Environment cont.
● The efficient solution
was using Containers.
Application's Runtime Environment cont.
● Containers are way more lightweight than Virtual
machines (no Guest OS).
● Each Container consumes less CPU,RAM,Disk space than
a VM, But still provides a secure isolated runtime
environment for the application.
Application's Runtime Environment cont.
Application's Runtime Environment cont.
● Technologies that allow you to package and isolate
applications from the rest of the system.
● Containers make it easy to Deploy Applications without
massive headaches, rewriting, and break-fixing.
What are containers ?
● Chroot system call
○ Seeds for today’s containers were planted in 1979 with the
addition of the chroot system call to Version 7 Unix.
● FreeBSD jail
○ In 2000, FreeBSD 4.0 was released with a new command called
jail which expanded chroot’s capabilities.
A brief history of containers
● Solaris Zones
○ In 2004, Sun released an early build of Solaris 10, which
included Solaris Containers, and later evolved into Solaris
Zones.
● HP-UX Containers
○ In 2007, HP released Secure Resource Partitions for HP-UX later
renamed to HP-UX Containers.
A brief history of containers cont.
● Linux Containers (LXC)
○ In 2008, Linux Containers (LXC) were released in version 2.6.24
of the Linux kernel.
● Docker
○ In 2013, the phenomenal growth of Linux Containers starts to
grow with the inclusion of user namespaces in version 3.8 of
the Linux Kernel and the release of Docker one month later.
A brief history of containers cont.
● Docker is a platform for Developers and System Admins
to develop, ship, and run applications.
● Docker provides the ability to package and run an
application in a loosely isolated secured environment
called a container.
Docker Overview
● Faster delivery of your applications.
● Faster deployment makes for easier management.
○ Docker speeds up the work flow, so it gets easier to make lots of
small changes instead of huge updates.
○ Smaller changes mean reduced risk and more uptime.
Why Docker ?
● Docker helps developers to care about their
applications inside containers while sysadmins work on
running the container in your deployment.
● “This separation of duties streamlines and simplifies
the management and deployment of code”
Why Docker ? Cont.
● Deploy and scale more easily.
● Docker containers run (almost) everywhere.
● Ensure consistency between environments.
Why Docker ? Cont.
● We can run more containers on a given hardware
combination than if you were using virtual machines.
Why Docker ? Cont.
● Eliminate applications conflicts.
● Less OS maintenance (only the host OS).
● Ultimate portability between multiple environment.
● Setup development environment very quickly.
● Ship software faster.
● Fast deployment.
● Allows very easy scalability.
● Opens massive opportunities for automated testing.
● Moves control of the environment to the development
team.
Summarizing Docker Benefits
● Docker provides a platform to manage the lifecycle of
your containers:
○ Encapsulate your applications into Docker containers.
○ Distribute and ship those containers to your teams for further
development and testing.
○ Deploy those applications to your production environment.
What is the Docker platform ?
● Docker Engine
○ lightweight and powerful open source container virtualization
technology combined with a workflow for building and
containerizing applications.
● Docker Registries
Docker Platform Components
Docker Platform architecture
● A client-server application with these major
components:
○ Server (docker daemon)
○ A REST API
○ Client (CLI)
Docker Engine
● The Docker daemon runs on a host machine.
● The user uses the Docker client to interact with the
daemon.
● The daemon creates and manages Docker objects, such
as images, containers, networks, and data volumes.
Docker Daemon
● In the form of the docker binary.
● It accepts commands from the user and communicates
with the Docker daemon.
● One client can communicate with multiple unrelated
daemons.
Docker Client
● Union file systems allow files and directories of
separate file systems, known as branches, to be
transparently overlaid, forming a single coherent file
system.
● Docker uses union file systems to combine these layers
into a single image.
Union file systems
Union file systems cont.
● These layers are one of the reasons Docker is so
lightweight.
○ When you change a Docker image, a new layer is built and
replaces only the layer it updates.
○ To distribute the update, you only need to transfer the updated
layer.
● Layering speeds up distribution of Docker images.
● A docker image is a read-only template.
● Docker images are the basis of the Docker containers.
● Docker images are the build component of Docker.
● You can build images from scratch or download and use
images created by others.
Docker images
● Dockerfile is a text document that contains all the
commands and instructions that Docker can use to
automatically build images.
● Every image starts from a base image such as ubuntu,
fedora or an image of your own such as Apache, Nginx,
Ruby, etc.
Dockerfile
Dockerfile cont.
● Each instruction in the Dockerfile creates a new layer
in the image.
● Each image consists of a series of layers.
● Creating Image from Dockerfile
○ sudo docker build -t $image_name .
● FROM : Specify the base image
● MAINTAINER : Specify the image maintainer
● RUN : Run a command
● ADD : Add a file or directory
● EXPOSE : expose ports to be accessed
● ENV : Create an environment variable
● CMD : What process to run when launching a container
from this image.
Some Dockerfile instructions
● A Docker container is a runnable instance of a Docker
image.
● You can run, start, stop, move, or delete a container
using Docker CLI commands.
● Docker containers are the run component of Docker.
Docker containers
Images, Containers and layers
● A docker registry is a library of images.
● A registry can be public or private.
● Can be on the same server as the Docker daemon or
Docker client, or on a totally separate server.
● Docker registries are the distribution component of
Docker.
Docker registries
● $ docker run -i -t ubuntu /bin/bash
● This command tells the Docker daemon to create and
start a container using the ubuntu image, run it in an
interactive mode (-i),Allocate a pseudo-TTY and to run
the /bin/bash command.
● So, what actually the Engine does behind the scene ?!
What happens when you run a container ?
● Pulls the ubuntu image.
● Creates a new container.
● Allocates a filesystem and mounts a read-write layer.
● Allocates a network / bridge interface.
● Sets up an IP address.
● Executes the /bin/bash executable.
● Captures and provides application output.
○ (due to interactive mode)
What happens when you run a container?
Cont.
● Docker Engine is supported on Linux, Cloud, Windows,
and macOS.
● For Linux use the script on this link :
− https://get.docker.com/
● For Windows or Mac Docker can be installed using
Docker Toolbox
Install Docker
● Consists of :
○ Docker Client
○ Docker Machine
○ Docker kitematic
○ Docker Compose
Docker toolbox
● Docker machine is a tool that can be used to
○ Create Docker hosts on your Mac or Windows box, on your
company network, in your data center, or on cloud providers.
○ Manage this host (start,stop,restart,..etc).
○ Upgrade the Docker client and daemon.
○ Configure a Docker client to talk to your host.
Docker Machine
● docker-machine ls
● docker-machine start vm-name
● docker-machine stop vm-name
● docker-machine env vm-name
● docker-machine ip vm-name
Docker Machine cont.
● sudo docker search $image_name
○ Search for an image on Docker hub repository.
● sudo docker pull $image_name
○ Pull the required image from docker hub repository.
○ Update the installed images if there is any new updates.
● sudo docker images
○ List all images on the system.
● sudo docker rmi $image_name
○ Remove an image.
Managing Images and Containers
● sudo docker run --name $cont_name -d
$image_name
○ Spin up a container from an image and make it run in the
background.
● sudo docker ps
○ List the currently running containers.
● sudo docker ps -a
○ List all the containers whether they are running or not.
Managing Images and Containers cont.
● sudo docker rm $container_name
○ Remove a stopped container.
● sudo docker rm -f $container_name
○ Force remove a container.
● sudo docker stop $container_name
○ Stop a running container.
● sudo docker inspect $container_name OR
$image_name
○ This displays all the information available in Docker for a given
container or image.
Managing Images and Containers cont.
● sudo docker exec -it $container_name
<command>
○ Attach to the the running container.
○ Modify this running container.
● sudo docker commit $container_name
$image_name
○ Commit the modified container into image.
Creating Image from a modified container
● When Docker creates a
container, it creates two
virtual interfaces, one of
which sits on the
server-side and is
attached to the docker0
bridge, and one that is
exposed into the
container’s namespace.
Docker Networking
● sudo docker run -d -p 8080 $image_name
○ Port mapping.
○ Publish port 8080 from inside the container to the docker Host
on a random port (say 1234), So that the app running on port
8080 inside the container will be accessed through the host IP
on that random port.
● sudo docker run -d -p 3000:8080 $image_name
○ Port redirection.
○ Publish port 8080 from inside the container to the docker Host
on port 3000.
Docker Networking cont.
Docker Networking cont.
● sudo docker run -d --net=host $image_name
○ Host Networking.
○ Share the host IP address.
● sudo docker inspect $container_name | grep
IPAddress
○ Get the IP Address of the running container.
Inbound and Outbound Traffic
● Create a container volume that points to the source
code.
● Add your source code into a custom image that is used
to create a container.
Get source code into a Container
● A special type of directories in a container typically
referred to as a “data volume”.
● Can be shared and reused among containers.
Volumes
Volumes cont.
● sudo docker create --name mydataContainer
-v /usr/share/nginx/html ubuntu:latest
● sudo docker run --name
mywebserverContainer --volumes-from
mydataContainer -d nginx
● Sudo docker run --name myApp -p 8080:3000
-v /local/fs/path/:/container/fs/path -w
“/var/www” -d node npm start
Communication between Containers
● Linking containers with names by using --link option
○ sudo docker run --name myMongodbContainer -d mongo
○ sudo docker run --name railsAppContainer -p
3005:3000 --link myMongodbContainer:mongodbContainer
-d afawzy/integrationImage
Communication between Containers
● Create a custom bridge network and add containers
into it.
○ sudo docker network create --driver bridge
isolated_network
○ sudo docker run --name mongodbContainer
--net=isolated_network -d mongo
○ sudo docker run --name railsAppContainer
-p3005:3000 --net=isolated_network -d
afawzy/integrationImage
References
● https://docs.docker.com/
● man docker
● Docker: Up & Running: Shipping Reliable Containers in Production
● Docker: Intro - CBT Nuggets
● Docker for Web Developers - Pluralsight
● Docker Deep Dive - Pluralsight
● Learn how to deploy Docker applications to production - udemy

More Related Content

What's hot

Intro to vue.js
Intro to vue.jsIntro to vue.js
Intro to vue.js
TechMagic
 
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWDEWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
Rob Tweed
 
3 Things Everyone Knows About Node JS That You Don't
3 Things Everyone Knows About Node JS That You Don't3 Things Everyone Knows About Node JS That You Don't
3 Things Everyone Knows About Node JS That You Don't
F5 Buddy
 
JS & NodeJS - An Introduction
JS & NodeJS - An IntroductionJS & NodeJS - An Introduction
JS & NodeJS - An Introduction
Nirvanic Labs
 
Node js training (1)
Node js training (1)Node js training (1)
Node js training (1)
Ashish Gupta
 
EWD 3 Training Course Part 27: The QEWD Session
EWD 3 Training Course Part 27: The QEWD SessionEWD 3 Training Course Part 27: The QEWD Session
EWD 3 Training Course Part 27: The QEWD Session
Rob Tweed
 
Node js first look - 2016
Node js first look - 2016Node js first look - 2016
Node js first look - 2016
Yauheni Nikanovich
 
Node, express & sails
Node, express & sailsNode, express & sails
Node, express & sails
Brian Shannon
 
Nuxeo and JavaScript
Nuxeo and JavaScriptNuxeo and JavaScript
Nuxeo and JavaScript
Nuxeo
 
Nodejs server lesson 3
 Nodejs server lesson 3 Nodejs server lesson 3
Nodejs server lesson 3
SamuelAdetunji2
 
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
Nuxeo
 
Fixing Gaps. Strengthening the Chromium platform for content blocking
Fixing Gaps. Strengthening the Chromium platform for content blockingFixing Gaps. Strengthening the Chromium platform for content blocking
Fixing Gaps. Strengthening the Chromium platform for content blocking
Igalia
 
Node js Global Packages
Node js Global PackagesNode js Global Packages
Node js Global Packages
sanskriti agarwal
 
Node.js an introduction
Node.js   an introductionNode.js   an introduction
Node.js an introductionMeraj Khattak
 
An introduction to knockout.js
An introduction to knockout.jsAn introduction to knockout.js
An introduction to knockout.js
Emanuele DelBono
 
Node JS Crash Course
Node JS Crash CourseNode JS Crash Course
Node JS Crash Course
Haim Michael
 
Introduction to Knockoutjs
Introduction to KnockoutjsIntroduction to Knockoutjs
Introduction to Knockoutjs
jhoguet
 

What's hot (20)

Intro to vue.js
Intro to vue.jsIntro to vue.js
Intro to vue.js
 
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWDEWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
EWD 3 Training Course Part 15: Using a Framework other than jQuery with QEWD
 
3 Things Everyone Knows About Node JS That You Don't
3 Things Everyone Knows About Node JS That You Don't3 Things Everyone Knows About Node JS That You Don't
3 Things Everyone Knows About Node JS That You Don't
 
JS & NodeJS - An Introduction
JS & NodeJS - An IntroductionJS & NodeJS - An Introduction
JS & NodeJS - An Introduction
 
Node js training (1)
Node js training (1)Node js training (1)
Node js training (1)
 
EWD 3 Training Course Part 27: The QEWD Session
EWD 3 Training Course Part 27: The QEWD SessionEWD 3 Training Course Part 27: The QEWD Session
EWD 3 Training Course Part 27: The QEWD Session
 
Lesson 09
Lesson 09Lesson 09
Lesson 09
 
Node js
Node jsNode js
Node js
 
Node js first look - 2016
Node js first look - 2016Node js first look - 2016
Node js first look - 2016
 
Node, express & sails
Node, express & sailsNode, express & sails
Node, express & sails
 
Nuxeo and JavaScript
Nuxeo and JavaScriptNuxeo and JavaScript
Nuxeo and JavaScript
 
Nodejs server lesson 3
 Nodejs server lesson 3 Nodejs server lesson 3
Nodejs server lesson 3
 
Nodejs
NodejsNodejs
Nodejs
 
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
[Nuxeo World 2013] XML EXTENSION POINT COMPLETION IN NUXEO IDE - SUN TAN, SERLI
 
Fixing Gaps. Strengthening the Chromium platform for content blocking
Fixing Gaps. Strengthening the Chromium platform for content blockingFixing Gaps. Strengthening the Chromium platform for content blocking
Fixing Gaps. Strengthening the Chromium platform for content blocking
 
Node js Global Packages
Node js Global PackagesNode js Global Packages
Node js Global Packages
 
Node.js an introduction
Node.js   an introductionNode.js   an introduction
Node.js an introduction
 
An introduction to knockout.js
An introduction to knockout.jsAn introduction to knockout.js
An introduction to knockout.js
 
Node JS Crash Course
Node JS Crash CourseNode JS Crash Course
Node JS Crash Course
 
Introduction to Knockoutjs
Introduction to KnockoutjsIntroduction to Knockoutjs
Introduction to Knockoutjs
 

Viewers also liked

Explicit Semantic Analysis
Explicit Semantic AnalysisExplicit Semantic Analysis
Explicit Semantic Analysis
BADR
 
Concept-Based Information Retrieval using Explicit Semantic Analysis
Concept-Based Information Retrieval using Explicit Semantic AnalysisConcept-Based Information Retrieval using Explicit Semantic Analysis
Concept-Based Information Retrieval using Explicit Semantic Analysis
Ofer Egozi
 
Concept based information retrieval using explicit
Concept based information retrieval using explicitConcept based information retrieval using explicit
Concept based information retrieval using explicitnadikari123
 
Case study of BtrFS: A fault tolerant File system
Case study of BtrFS: A fault tolerant File systemCase study of BtrFS: A fault tolerant File system
Case study of BtrFS: A fault tolerant File system
Kumar Amit Mehta
 
Sunspot - The Ruby Way into Solr
Sunspot - The Ruby Way into SolrSunspot - The Ruby Way into Solr
Sunspot - The Ruby Way into Solr
BADR
 
File system Os
File system OsFile system Os
File system Os
Nehal Naik
 
I want to know more about compuerized text analysis
I want to know more about   compuerized text analysisI want to know more about   compuerized text analysis
I want to know more about compuerized text analysis
Luke Czarnecki
 
New concept Information systems
New concept Information systemsNew concept Information systems
New concept Information systemsmohanraj123
 
File system.
File system.File system.
File system.
elyza12
 
Presentación de sistemas
Presentación de sistemasPresentación de sistemas
Presentación de sistemascarlosfacade
 
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...INOCENCIO MELÉNDEZ JULIO
 
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...INOCENCIO MELÉNDEZ JULIO
 
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...INOCENCIO MELÉNDEZ JULIO
 
Studenten helfen schülern
Studenten helfen schülernStudenten helfen schülern
Studenten helfen schülern
urmle
 
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...INOCENCIO MELÉNDEZ JULIO
 
IBS QMS:forum MES MOM Rottweil 01.10.2015
IBS QMS:forum MES MOM Rottweil 01.10.2015IBS QMS:forum MES MOM Rottweil 01.10.2015
IBS QMS:forum MES MOM Rottweil 01.10.2015
Tanja Böttcher
 
Redes sociales
Redes socialesRedes sociales
Redes sociales
kristianquix
 
La contabilidad como herramienta de la administración y gerencia de la empre...
La contabilidad como herramienta de la administración y gerencia de la empre...La contabilidad como herramienta de la administración y gerencia de la empre...
La contabilidad como herramienta de la administración y gerencia de la empre...INOCENCIO MELÉNDEZ JULIO
 
Angemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
Angemessene Lüftungskonzepte bei der Erneuerung von WohnbautenAngemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
Angemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
Vorname Nachname
 

Viewers also liked (20)

Explicit Semantic Analysis
Explicit Semantic AnalysisExplicit Semantic Analysis
Explicit Semantic Analysis
 
Concept-Based Information Retrieval using Explicit Semantic Analysis
Concept-Based Information Retrieval using Explicit Semantic AnalysisConcept-Based Information Retrieval using Explicit Semantic Analysis
Concept-Based Information Retrieval using Explicit Semantic Analysis
 
Concept based information retrieval using explicit
Concept based information retrieval using explicitConcept based information retrieval using explicit
Concept based information retrieval using explicit
 
Case study of BtrFS: A fault tolerant File system
Case study of BtrFS: A fault tolerant File systemCase study of BtrFS: A fault tolerant File system
Case study of BtrFS: A fault tolerant File system
 
Sunspot - The Ruby Way into Solr
Sunspot - The Ruby Way into SolrSunspot - The Ruby Way into Solr
Sunspot - The Ruby Way into Solr
 
File system Os
File system OsFile system Os
File system Os
 
I want to know more about compuerized text analysis
I want to know more about   compuerized text analysisI want to know more about   compuerized text analysis
I want to know more about compuerized text analysis
 
New concept Information systems
New concept Information systemsNew concept Information systems
New concept Information systems
 
File system.
File system.File system.
File system.
 
Presentación de sistemas
Presentación de sistemasPresentación de sistemas
Presentación de sistemas
 
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
 
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...
Inocencio meléndez julio. idujuridico. la comprensión y desarrollo de inves...
 
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...
Inocencio meléndez julio. bogotá. importancia de los costos y presupuestos ...
 
Justus in New York
Justus in New YorkJustus in New York
Justus in New York
 
Studenten helfen schülern
Studenten helfen schülernStudenten helfen schülern
Studenten helfen schülern
 
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
Inocencio meléndez julio. cuenta, balance general y estado de resultados. in...
 
IBS QMS:forum MES MOM Rottweil 01.10.2015
IBS QMS:forum MES MOM Rottweil 01.10.2015IBS QMS:forum MES MOM Rottweil 01.10.2015
IBS QMS:forum MES MOM Rottweil 01.10.2015
 
Redes sociales
Redes socialesRedes sociales
Redes sociales
 
La contabilidad como herramienta de la administración y gerencia de la empre...
La contabilidad como herramienta de la administración y gerencia de la empre...La contabilidad como herramienta de la administración y gerencia de la empre...
La contabilidad como herramienta de la administración y gerencia de la empre...
 
Angemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
Angemessene Lüftungskonzepte bei der Erneuerung von WohnbautenAngemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
Angemessene Lüftungskonzepte bei der Erneuerung von Wohnbauten
 

Similar to Docker up and Running For Web Developers

Introduction to Docker and Monitoring with InfluxData
Introduction to Docker and Monitoring with InfluxDataIntroduction to Docker and Monitoring with InfluxData
Introduction to Docker and Monitoring with InfluxData
InfluxData
 
[@NaukriEngineering] Docker 101
[@NaukriEngineering] Docker 101[@NaukriEngineering] Docker 101
[@NaukriEngineering] Docker 101
Naukri.com
 
DOCKER-PIAIC-SLIDES
DOCKER-PIAIC-SLIDESDOCKER-PIAIC-SLIDES
DOCKER-PIAIC-SLIDES
MuhammadAhmed651877
 
Best Practices for Developing & Deploying Java Applications with Docker
Best Practices for Developing & Deploying Java Applications with DockerBest Practices for Developing & Deploying Java Applications with Docker
Best Practices for Developing & Deploying Java Applications with Docker
Eric Smalling
 
Docker on Power Systems
Docker on Power SystemsDocker on Power Systems
Docker on Power Systems
Cesar Maciel
 
Docker primer and tips
Docker primer and tipsDocker primer and tips
Docker primer and tips
Samuel Chow
 
JOSA TechTalk: Introduction to docker
JOSA TechTalk: Introduction to dockerJOSA TechTalk: Introduction to docker
JOSA TechTalk: Introduction to docker
Jordan Open Source Association
 
Introduction to docker and docker compose
Introduction to docker and docker composeIntroduction to docker and docker compose
Introduction to docker and docker compose
Lalatendu Mohanty
 
Docker Container Introduction
Docker Container IntroductionDocker Container Introduction
Docker Container Introduction
Innfinision Cloud and BigData Solutions
 
JOSA TechTalks - Docker in Production
JOSA TechTalks - Docker in ProductionJOSA TechTalks - Docker in Production
JOSA TechTalks - Docker in Production
Jordan Open Source Association
 
Introduction to Docker
Introduction to DockerIntroduction to Docker
Introduction to Docker
Pubudu Jayawardana
 
Containerization using docker and its applications
Containerization using docker and its applicationsContainerization using docker and its applications
Containerization using docker and its applications
Puneet Kumar Bhatia (MBA, ITIL V3 Certified)
 
Docker.pdf
Docker.pdfDocker.pdf
Docker.pdf
UsamaMushtaq24
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
Anvay Patil
 
Docker - A curtain raiser to the Container world
Docker - A curtain raiser to the Container worldDocker - A curtain raiser to the Container world
Docker - A curtain raiser to the Container world
zekeLabs Technologies
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
sparkfabrik
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
DrupalDay
 
Docker 101 : Introduction to Docker and Containers
Docker 101 : Introduction to Docker and ContainersDocker 101 : Introduction to Docker and Containers
Docker 101 : Introduction to Docker and Containers
Yajushi Srivastava
 
Docker Fundamentals
Docker FundamentalsDocker Fundamentals
Docker Fundamentals
Anshul Patel
 

Similar to Docker up and Running For Web Developers (20)

Introduction to Docker and Monitoring with InfluxData
Introduction to Docker and Monitoring with InfluxDataIntroduction to Docker and Monitoring with InfluxData
Introduction to Docker and Monitoring with InfluxData
 
[@NaukriEngineering] Docker 101
[@NaukriEngineering] Docker 101[@NaukriEngineering] Docker 101
[@NaukriEngineering] Docker 101
 
DOCKER-PIAIC-SLIDES
DOCKER-PIAIC-SLIDESDOCKER-PIAIC-SLIDES
DOCKER-PIAIC-SLIDES
 
Best Practices for Developing & Deploying Java Applications with Docker
Best Practices for Developing & Deploying Java Applications with DockerBest Practices for Developing & Deploying Java Applications with Docker
Best Practices for Developing & Deploying Java Applications with Docker
 
Docker on Power Systems
Docker on Power SystemsDocker on Power Systems
Docker on Power Systems
 
Docker primer and tips
Docker primer and tipsDocker primer and tips
Docker primer and tips
 
JOSA TechTalk: Introduction to docker
JOSA TechTalk: Introduction to dockerJOSA TechTalk: Introduction to docker
JOSA TechTalk: Introduction to docker
 
Introduction to docker and docker compose
Introduction to docker and docker composeIntroduction to docker and docker compose
Introduction to docker and docker compose
 
Docker Container Introduction
Docker Container IntroductionDocker Container Introduction
Docker Container Introduction
 
JOSA TechTalks - Docker in Production
JOSA TechTalks - Docker in ProductionJOSA TechTalks - Docker in Production
JOSA TechTalks - Docker in Production
 
Introduction to Docker
Introduction to DockerIntroduction to Docker
Introduction to Docker
 
Containerization using docker and its applications
Containerization using docker and its applicationsContainerization using docker and its applications
Containerization using docker and its applications
 
Containerization using docker and its applications
Containerization using docker and its applicationsContainerization using docker and its applications
Containerization using docker and its applications
 
Docker.pdf
Docker.pdfDocker.pdf
Docker.pdf
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
 
Docker - A curtain raiser to the Container world
Docker - A curtain raiser to the Container worldDocker - A curtain raiser to the Container world
Docker - A curtain raiser to the Container world
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
 
Docker for developers
Docker for developersDocker for developers
Docker for developers
 
Docker 101 : Introduction to Docker and Containers
Docker 101 : Introduction to Docker and ContainersDocker 101 : Introduction to Docker and Containers
Docker 101 : Introduction to Docker and Containers
 
Docker Fundamentals
Docker FundamentalsDocker Fundamentals
Docker Fundamentals
 

More from BADR

Vue.js
Vue.jsVue.js
Vue.js
BADR
 
There and Back Again - A Tale of Programming Languages
There and Back Again - A Tale of Programming LanguagesThere and Back Again - A Tale of Programming Languages
There and Back Again - A Tale of Programming Languages
BADR
 
Take Pride in Your Code - Test-Driven Development
Take Pride in Your Code - Test-Driven DevelopmentTake Pride in Your Code - Test-Driven Development
Take Pride in Your Code - Test-Driven Development
BADR
 
Single Responsibility Principle
Single Responsibility PrincipleSingle Responsibility Principle
Single Responsibility Principle
BADR
 
NoSQL Databases
NoSQL DatabasesNoSQL Databases
NoSQL Databases
BADR
 
Getting some Git
Getting some GitGetting some Git
Getting some Git
BADR
 
ReactiveX
ReactiveXReactiveX
ReactiveX
BADR
 
Algorithms - A Sneak Peek
Algorithms - A Sneak PeekAlgorithms - A Sneak Peek
Algorithms - A Sneak Peek
BADR
 
Android from A to Z
Android from A to ZAndroid from A to Z
Android from A to Z
BADR
 
Apache Hadoop - Big Data Engineering
Apache Hadoop - Big Data EngineeringApache Hadoop - Big Data Engineering
Apache Hadoop - Big Data Engineering
BADR
 
MySQL Indexing
MySQL IndexingMySQL Indexing
MySQL Indexing
BADR
 
Duckville - The Strategy Design Pattern
Duckville - The Strategy Design PatternDuckville - The Strategy Design Pattern
Duckville - The Strategy Design Pattern
BADR
 
The Perks and Perils of the Singleton Design Pattern
The Perks and Perils of the Singleton Design PatternThe Perks and Perils of the Singleton Design Pattern
The Perks and Perils of the Singleton Design Pattern
BADR
 

More from BADR (13)

Vue.js
Vue.jsVue.js
Vue.js
 
There and Back Again - A Tale of Programming Languages
There and Back Again - A Tale of Programming LanguagesThere and Back Again - A Tale of Programming Languages
There and Back Again - A Tale of Programming Languages
 
Take Pride in Your Code - Test-Driven Development
Take Pride in Your Code - Test-Driven DevelopmentTake Pride in Your Code - Test-Driven Development
Take Pride in Your Code - Test-Driven Development
 
Single Responsibility Principle
Single Responsibility PrincipleSingle Responsibility Principle
Single Responsibility Principle
 
NoSQL Databases
NoSQL DatabasesNoSQL Databases
NoSQL Databases
 
Getting some Git
Getting some GitGetting some Git
Getting some Git
 
ReactiveX
ReactiveXReactiveX
ReactiveX
 
Algorithms - A Sneak Peek
Algorithms - A Sneak PeekAlgorithms - A Sneak Peek
Algorithms - A Sneak Peek
 
Android from A to Z
Android from A to ZAndroid from A to Z
Android from A to Z
 
Apache Hadoop - Big Data Engineering
Apache Hadoop - Big Data EngineeringApache Hadoop - Big Data Engineering
Apache Hadoop - Big Data Engineering
 
MySQL Indexing
MySQL IndexingMySQL Indexing
MySQL Indexing
 
Duckville - The Strategy Design Pattern
Duckville - The Strategy Design PatternDuckville - The Strategy Design Pattern
Duckville - The Strategy Design Pattern
 
The Perks and Perils of the Singleton Design Pattern
The Perks and Perils of the Singleton Design PatternThe Perks and Perils of the Singleton Design Pattern
The Perks and Perils of the Singleton Design Pattern
 

Recently uploaded

Navigating the Metaverse: A Journey into Virtual Evolution"
Navigating the Metaverse: A Journey into Virtual Evolution"Navigating the Metaverse: A Journey into Virtual Evolution"
Navigating the Metaverse: A Journey into Virtual Evolution"
Donna Lenk
 
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Natan Silnitsky
 
A Sighting of filterA in Typelevel Rite of Passage
A Sighting of filterA in Typelevel Rite of PassageA Sighting of filterA in Typelevel Rite of Passage
A Sighting of filterA in Typelevel Rite of Passage
Philip Schwarz
 
May Marketo Masterclass, London MUG May 22 2024.pdf
May Marketo Masterclass, London MUG May 22 2024.pdfMay Marketo Masterclass, London MUG May 22 2024.pdf
May Marketo Masterclass, London MUG May 22 2024.pdf
Adele Miller
 
Lecture 1 Introduction to games development
Lecture 1 Introduction to games developmentLecture 1 Introduction to games development
Lecture 1 Introduction to games development
abdulrafaychaudhry
 
How to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good PracticesHow to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good Practices
Globus
 
Understanding Globus Data Transfers with NetSage
Understanding Globus Data Transfers with NetSageUnderstanding Globus Data Transfers with NetSage
Understanding Globus Data Transfers with NetSage
Globus
 
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
Juraj Vysvader
 
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptxTop Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
rickgrimesss22
 
Providing Globus Services to Users of JASMIN for Environmental Data Analysis
Providing Globus Services to Users of JASMIN for Environmental Data AnalysisProviding Globus Services to Users of JASMIN for Environmental Data Analysis
Providing Globus Services to Users of JASMIN for Environmental Data Analysis
Globus
 
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdfEnhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Jay Das
 
Cyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdfCyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdf
Cyanic lab
 
2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx
Georgi Kodinov
 
A Comprehensive Look at Generative AI in Retail App Testing.pdf
A Comprehensive Look at Generative AI in Retail App Testing.pdfA Comprehensive Look at Generative AI in Retail App Testing.pdf
A Comprehensive Look at Generative AI in Retail App Testing.pdf
kalichargn70th171
 
How Recreation Management Software Can Streamline Your Operations.pptx
How Recreation Management Software Can Streamline Your Operations.pptxHow Recreation Management Software Can Streamline Your Operations.pptx
How Recreation Management Software Can Streamline Your Operations.pptx
wottaspaceseo
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Globus
 
Developing Distributed High-performance Computing Capabilities of an Open Sci...
Developing Distributed High-performance Computing Capabilities of an Open Sci...Developing Distributed High-performance Computing Capabilities of an Open Sci...
Developing Distributed High-performance Computing Capabilities of an Open Sci...
Globus
 
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
Globus
 
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
Shahin Sheidaei
 
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBrokerSOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar
 

Recently uploaded (20)

Navigating the Metaverse: A Journey into Virtual Evolution"
Navigating the Metaverse: A Journey into Virtual Evolution"Navigating the Metaverse: A Journey into Virtual Evolution"
Navigating the Metaverse: A Journey into Virtual Evolution"
 
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
 
A Sighting of filterA in Typelevel Rite of Passage
A Sighting of filterA in Typelevel Rite of PassageA Sighting of filterA in Typelevel Rite of Passage
A Sighting of filterA in Typelevel Rite of Passage
 
May Marketo Masterclass, London MUG May 22 2024.pdf
May Marketo Masterclass, London MUG May 22 2024.pdfMay Marketo Masterclass, London MUG May 22 2024.pdf
May Marketo Masterclass, London MUG May 22 2024.pdf
 
Lecture 1 Introduction to games development
Lecture 1 Introduction to games developmentLecture 1 Introduction to games development
Lecture 1 Introduction to games development
 
How to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good PracticesHow to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good Practices
 
Understanding Globus Data Transfers with NetSage
Understanding Globus Data Transfers with NetSageUnderstanding Globus Data Transfers with NetSage
Understanding Globus Data Transfers with NetSage
 
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
In 2015, I used to write extensions for Joomla, WordPress, phpBB3, etc and I ...
 
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptxTop Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
 
Providing Globus Services to Users of JASMIN for Environmental Data Analysis
Providing Globus Services to Users of JASMIN for Environmental Data AnalysisProviding Globus Services to Users of JASMIN for Environmental Data Analysis
Providing Globus Services to Users of JASMIN for Environmental Data Analysis
 
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdfEnhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
 
Cyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdfCyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdf
 
2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx
 
A Comprehensive Look at Generative AI in Retail App Testing.pdf
A Comprehensive Look at Generative AI in Retail App Testing.pdfA Comprehensive Look at Generative AI in Retail App Testing.pdf
A Comprehensive Look at Generative AI in Retail App Testing.pdf
 
How Recreation Management Software Can Streamline Your Operations.pptx
How Recreation Management Software Can Streamline Your Operations.pptxHow Recreation Management Software Can Streamline Your Operations.pptx
How Recreation Management Software Can Streamline Your Operations.pptx
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
 
Developing Distributed High-performance Computing Capabilities of an Open Sci...
Developing Distributed High-performance Computing Capabilities of an Open Sci...Developing Distributed High-performance Computing Capabilities of an Open Sci...
Developing Distributed High-performance Computing Capabilities of an Open Sci...
 
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
Climate Science Flows: Enabling Petabyte-Scale Climate Analysis with the Eart...
 
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
Gamify Your Mind; The Secret Sauce to Delivering Success, Continuously Improv...
 
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBrokerSOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBroker
 

Docker up and Running For Web Developers

  • 1.
  • 2. Docker Up and Running for Web Developers Amr Fawzy Mohammed
  • 3. Outline ● What is Docker ? ● Docker Overview ● Why Docker ? ● What is the Docker platform ? ● Union file systems ● What happens when you run a container ? ● Install Docker ● Managing Images and Containers ● Docker Networking ● Get source code into a Container ● Volumes ● Communication between Containers
  • 4. ● First we need to know what Containers actually are or what they bring to the table, in order to do this we need to briefly review the history of an application's runtime environment. What is Docker ?
  • 5. ● In the beginning we used to build applications directly on physical servers in 1:1 ratio. Application's Runtime Environment
  • 6. ● Disadvantages of this technique: ○ Every application requires a ton of infrastructure. ○ It takes a lot of time to deploy or scale an app. ○ Financially, that was a highly expensive. ○ It causes massive waste of resources. ■ Most of the time these servers run at a tiny fraction of their capabilities. Application's Runtime Environment cont.
  • 7. ● This solution was not meant to be last for a long time. ● Virtualization takes place. Application's Runtime Environment cont.
  • 8. ● Virtualization technology enables to build multiple virtual machines on top of a physical machine which means running multiple applications on top of a single physical server. Application's Runtime Environment cont.
  • 10. ● Each virtual machine has it's own OS which is considered a huge overhead and a massive waste of the host physical machine's resources. Application's Runtime Environment cont.
  • 11. ● The efficient solution was using Containers. Application's Runtime Environment cont.
  • 12. ● Containers are way more lightweight than Virtual machines (no Guest OS). ● Each Container consumes less CPU,RAM,Disk space than a VM, But still provides a secure isolated runtime environment for the application. Application's Runtime Environment cont.
  • 14. ● Technologies that allow you to package and isolate applications from the rest of the system. ● Containers make it easy to Deploy Applications without massive headaches, rewriting, and break-fixing. What are containers ?
  • 15. ● Chroot system call ○ Seeds for today’s containers were planted in 1979 with the addition of the chroot system call to Version 7 Unix. ● FreeBSD jail ○ In 2000, FreeBSD 4.0 was released with a new command called jail which expanded chroot’s capabilities. A brief history of containers
  • 16. ● Solaris Zones ○ In 2004, Sun released an early build of Solaris 10, which included Solaris Containers, and later evolved into Solaris Zones. ● HP-UX Containers ○ In 2007, HP released Secure Resource Partitions for HP-UX later renamed to HP-UX Containers. A brief history of containers cont.
  • 17. ● Linux Containers (LXC) ○ In 2008, Linux Containers (LXC) were released in version 2.6.24 of the Linux kernel. ● Docker ○ In 2013, the phenomenal growth of Linux Containers starts to grow with the inclusion of user namespaces in version 3.8 of the Linux Kernel and the release of Docker one month later. A brief history of containers cont.
  • 18. ● Docker is a platform for Developers and System Admins to develop, ship, and run applications. ● Docker provides the ability to package and run an application in a loosely isolated secured environment called a container. Docker Overview
  • 19. ● Faster delivery of your applications. ● Faster deployment makes for easier management. ○ Docker speeds up the work flow, so it gets easier to make lots of small changes instead of huge updates. ○ Smaller changes mean reduced risk and more uptime. Why Docker ?
  • 20. ● Docker helps developers to care about their applications inside containers while sysadmins work on running the container in your deployment. ● “This separation of duties streamlines and simplifies the management and deployment of code” Why Docker ? Cont.
  • 21. ● Deploy and scale more easily. ● Docker containers run (almost) everywhere. ● Ensure consistency between environments. Why Docker ? Cont.
  • 22. ● We can run more containers on a given hardware combination than if you were using virtual machines. Why Docker ? Cont.
  • 23. ● Eliminate applications conflicts. ● Less OS maintenance (only the host OS). ● Ultimate portability between multiple environment. ● Setup development environment very quickly. ● Ship software faster. ● Fast deployment. ● Allows very easy scalability. ● Opens massive opportunities for automated testing. ● Moves control of the environment to the development team. Summarizing Docker Benefits
  • 24. ● Docker provides a platform to manage the lifecycle of your containers: ○ Encapsulate your applications into Docker containers. ○ Distribute and ship those containers to your teams for further development and testing. ○ Deploy those applications to your production environment. What is the Docker platform ?
  • 25. ● Docker Engine ○ lightweight and powerful open source container virtualization technology combined with a workflow for building and containerizing applications. ● Docker Registries Docker Platform Components
  • 27. ● A client-server application with these major components: ○ Server (docker daemon) ○ A REST API ○ Client (CLI) Docker Engine
  • 28. ● The Docker daemon runs on a host machine. ● The user uses the Docker client to interact with the daemon. ● The daemon creates and manages Docker objects, such as images, containers, networks, and data volumes. Docker Daemon
  • 29. ● In the form of the docker binary. ● It accepts commands from the user and communicates with the Docker daemon. ● One client can communicate with multiple unrelated daemons. Docker Client
  • 30. ● Union file systems allow files and directories of separate file systems, known as branches, to be transparently overlaid, forming a single coherent file system. ● Docker uses union file systems to combine these layers into a single image. Union file systems
  • 31. Union file systems cont. ● These layers are one of the reasons Docker is so lightweight. ○ When you change a Docker image, a new layer is built and replaces only the layer it updates. ○ To distribute the update, you only need to transfer the updated layer. ● Layering speeds up distribution of Docker images.
  • 32. ● A docker image is a read-only template. ● Docker images are the basis of the Docker containers. ● Docker images are the build component of Docker. ● You can build images from scratch or download and use images created by others. Docker images
  • 33. ● Dockerfile is a text document that contains all the commands and instructions that Docker can use to automatically build images. ● Every image starts from a base image such as ubuntu, fedora or an image of your own such as Apache, Nginx, Ruby, etc. Dockerfile
  • 34. Dockerfile cont. ● Each instruction in the Dockerfile creates a new layer in the image. ● Each image consists of a series of layers. ● Creating Image from Dockerfile ○ sudo docker build -t $image_name .
  • 35. ● FROM : Specify the base image ● MAINTAINER : Specify the image maintainer ● RUN : Run a command ● ADD : Add a file or directory ● EXPOSE : expose ports to be accessed ● ENV : Create an environment variable ● CMD : What process to run when launching a container from this image. Some Dockerfile instructions
  • 36. ● A Docker container is a runnable instance of a Docker image. ● You can run, start, stop, move, or delete a container using Docker CLI commands. ● Docker containers are the run component of Docker. Docker containers
  • 38. ● A docker registry is a library of images. ● A registry can be public or private. ● Can be on the same server as the Docker daemon or Docker client, or on a totally separate server. ● Docker registries are the distribution component of Docker. Docker registries
  • 39. ● $ docker run -i -t ubuntu /bin/bash ● This command tells the Docker daemon to create and start a container using the ubuntu image, run it in an interactive mode (-i),Allocate a pseudo-TTY and to run the /bin/bash command. ● So, what actually the Engine does behind the scene ?! What happens when you run a container ?
  • 40. ● Pulls the ubuntu image. ● Creates a new container. ● Allocates a filesystem and mounts a read-write layer. ● Allocates a network / bridge interface. ● Sets up an IP address. ● Executes the /bin/bash executable. ● Captures and provides application output. ○ (due to interactive mode) What happens when you run a container? Cont.
  • 41. ● Docker Engine is supported on Linux, Cloud, Windows, and macOS. ● For Linux use the script on this link : − https://get.docker.com/ ● For Windows or Mac Docker can be installed using Docker Toolbox Install Docker
  • 42. ● Consists of : ○ Docker Client ○ Docker Machine ○ Docker kitematic ○ Docker Compose Docker toolbox
  • 43. ● Docker machine is a tool that can be used to ○ Create Docker hosts on your Mac or Windows box, on your company network, in your data center, or on cloud providers. ○ Manage this host (start,stop,restart,..etc). ○ Upgrade the Docker client and daemon. ○ Configure a Docker client to talk to your host. Docker Machine
  • 44. ● docker-machine ls ● docker-machine start vm-name ● docker-machine stop vm-name ● docker-machine env vm-name ● docker-machine ip vm-name Docker Machine cont.
  • 45. ● sudo docker search $image_name ○ Search for an image on Docker hub repository. ● sudo docker pull $image_name ○ Pull the required image from docker hub repository. ○ Update the installed images if there is any new updates. ● sudo docker images ○ List all images on the system. ● sudo docker rmi $image_name ○ Remove an image. Managing Images and Containers
  • 46. ● sudo docker run --name $cont_name -d $image_name ○ Spin up a container from an image and make it run in the background. ● sudo docker ps ○ List the currently running containers. ● sudo docker ps -a ○ List all the containers whether they are running or not. Managing Images and Containers cont.
  • 47. ● sudo docker rm $container_name ○ Remove a stopped container. ● sudo docker rm -f $container_name ○ Force remove a container. ● sudo docker stop $container_name ○ Stop a running container. ● sudo docker inspect $container_name OR $image_name ○ This displays all the information available in Docker for a given container or image. Managing Images and Containers cont.
  • 48. ● sudo docker exec -it $container_name <command> ○ Attach to the the running container. ○ Modify this running container. ● sudo docker commit $container_name $image_name ○ Commit the modified container into image. Creating Image from a modified container
  • 49. ● When Docker creates a container, it creates two virtual interfaces, one of which sits on the server-side and is attached to the docker0 bridge, and one that is exposed into the container’s namespace. Docker Networking
  • 50. ● sudo docker run -d -p 8080 $image_name ○ Port mapping. ○ Publish port 8080 from inside the container to the docker Host on a random port (say 1234), So that the app running on port 8080 inside the container will be accessed through the host IP on that random port. ● sudo docker run -d -p 3000:8080 $image_name ○ Port redirection. ○ Publish port 8080 from inside the container to the docker Host on port 3000. Docker Networking cont.
  • 51. Docker Networking cont. ● sudo docker run -d --net=host $image_name ○ Host Networking. ○ Share the host IP address. ● sudo docker inspect $container_name | grep IPAddress ○ Get the IP Address of the running container.
  • 53. ● Create a container volume that points to the source code. ● Add your source code into a custom image that is used to create a container. Get source code into a Container
  • 54. ● A special type of directories in a container typically referred to as a “data volume”. ● Can be shared and reused among containers. Volumes
  • 55. Volumes cont. ● sudo docker create --name mydataContainer -v /usr/share/nginx/html ubuntu:latest ● sudo docker run --name mywebserverContainer --volumes-from mydataContainer -d nginx ● Sudo docker run --name myApp -p 8080:3000 -v /local/fs/path/:/container/fs/path -w “/var/www” -d node npm start
  • 56. Communication between Containers ● Linking containers with names by using --link option ○ sudo docker run --name myMongodbContainer -d mongo ○ sudo docker run --name railsAppContainer -p 3005:3000 --link myMongodbContainer:mongodbContainer -d afawzy/integrationImage
  • 57. Communication between Containers ● Create a custom bridge network and add containers into it. ○ sudo docker network create --driver bridge isolated_network ○ sudo docker run --name mongodbContainer --net=isolated_network -d mongo ○ sudo docker run --name railsAppContainer -p3005:3000 --net=isolated_network -d afawzy/integrationImage
  • 58. References ● https://docs.docker.com/ ● man docker ● Docker: Up & Running: Shipping Reliable Containers in Production ● Docker: Intro - CBT Nuggets ● Docker for Web Developers - Pluralsight ● Docker Deep Dive - Pluralsight ● Learn how to deploy Docker applications to production - udemy