How to build Nginx image server with Docker

How to build Nginx image server with Docker

Preface

In general development, images are uploaded to a directory, and then the directory and file name are concatenated and stored in the database. However, this method may have certain defects if it is not done well.

If the project is relocated, even if the server itself is still in use, the project-related images stored on the server must also be relocated, and the code must be modified at the same time, which will cause a lot of trouble. If you build a server dedicated to storing images and transfer them via FTP, then you don't need to change your code.

I won’t go into the introduction and advantages of Docker and Nginx here, there are many blogs and tutorials on the Internet.

Environment Construction

Some modules of the environment construction may not be detailed enough. If you want to know more, you can check other materials. Here are just simple operations.

1. Install Docker

yum install docker

2. Pull the Nginx image

docker pull nginx:1.16.0

1.16.0 is the version number. You can query the image through docker search nginx; the same is true for pulling other images such as tomcat, mysql, etc.

3. Create the main files for docker mounting

mkdir -p /home/nginx/www /home/nginx/logs /home/nginx/conf

4. Create and run the Nginx container

docker run -d -p 80:80 -p 443:443 --name nginx-server -v /home/nginx/www:/usr/share/nginx/html 
-v /home/nginx/conf/nginx.conf:/etc/nginx/nginx.conf -v /home/nginx/logs:/var/log/nginx nginx

5. Create Nginx configuration file on the host

Create a new file nginx.conf in /home/nginx/conf and write the following configuration:

user root;
worker_processes 1;
error_log /var/log/nginx/error.log warn;
pid /var/run/nginx.pid;
events {
 worker_connections 1024;
}
http {
 include /etc/nginx/mime.types;
 default_type application/octet-stream;
 log_format main '$remote_addr - $remote_user [$time_local] "$request" '
   '$status $body_bytes_sent "$http_referer" '
   '"$http_user_agent" "$http_x_forwarded_for"';
 access_log /var/log/nginx/access.log main;
 sendfile on;
 #tcp_nopush on;
 keepalive_timeout 65;
 #gzip on;
 include /etc/nginx/conf.d/*.conf;
 server {
 listen 443 ssl;
 server_name your IP address or domain name;
 root /usr/share/nginx/html;
 ssl_certificate your-key.pem;
 ssl_certificate_key your_key.key;
 ssl_session_timeout 5m;
 ssl_session_cache shared:SSL:1m;
 ssl_ciphers ECDHE-RSA-AES128-GCM-SHA256:ECDHE:ECDH:AES:HIGH:!NULL:aNULL:!MD5:!ADH:!RC4;
 ssl_protocols TLSv1 TLSv1.1 TLSv1.2;
 ssl_prefer_server_ciphers on;
 # Jump to port 8080, which is my tomcat container. If you enter https://ip/ in the browser, you will jump to the tomcat container (which is already running and has mapped the port number)
 location / {
  root /usr/share/nginx/html;
  proxy_pass http://ip:8080/;
  index index.html index.htm;
 }
     # If you enter https://ip/images/ in the browser, it will correspond to /home/nginx/www/images/ on the host machine because it has been mounted before, that is, a directory on the host machine and a folder in the docker container share data # First create the images directory in /home/nginx/www/ on the host machine location ~ /images/ {
  root /usr/share/nginx/html/;
 }
 }
 server {
 listen 80;
 server_name your IP address or domain name;
 rewrite ^ https://$host$1 permanent;
 }
}

There is SSL configuration here. You need to apply for a domain name first, then get an SSL certificate, and then configure it. I won’t go into details here.

The environment configuration is almost complete. Next, install vsftpd and build ftp

Setting up FTP

Install vsftpd

yum -y install vsftpd

Adding Users

useradd custom username

passwd custom password

Modify the configuration file

vi /etc/vsftpd/vsftpd.conf

The places that need to be modified are as follows:

# The default value of the configuration file is YES, which means anonymous access is supported. If it is set to not support
anonymous_enable=NO
# Add these two lines at the end
pasv_min_port=30000
pasv_max_port=30009

Set user access rights after saving and exiting

chown ftpadmin /home/nginx/www/image
chmod 777 -R /home/nginx/www/image

After the test, after uploading via FTP, the following results were obtained through the browser https request:

*One more thing: For Alibaba Cloud servers, remember to configure the security group and open port 21, as well as ports 443, 80, and 30000-30009.

Implementing FTP Transfer in Java

First create the ftpResource.properties file in resource and write the parameters

FTP_ADDRESS=your IP
FTP_PORT=21
FTP_USERNAME=username
FTP_PASSWORD=User password
FTP_BASE_PATH=/home/nginx/www/images
IMAGE_BASE_URL=https://domain/images/

Then write a tool class for FTP transmission

import org.apache.commons.net.ftp.FTP;
import org.apache.commons.net.ftp.FTPClient;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.PropertySource;
import org.springframework.stereotype.Component;
import java.io.*;
/**
 * @author Max
 */
@Component
@PropertySource("classpath:ftpResource.properties")
public class FtpUtil {
 /**
 * FTP_ADDRESS: FTP server IP address * FTP_PORT: FTP server port, default is 21
 * FTP_USERNAME: ftp server username* FTP_PASSWORD: ftp server password* FTP_BASE_PATH: the absolute path of the ftp server to store images* IMAGE_BASE_URL: the path of the ftp server to access images from the Internet*/
 @Value("${FTP_ADDRESS}")
 private String FTP_ADDRESS;
 @Value("${FTP_PORT}")
 private Integer FTP_PORT;
 @Value("${FTP_USERNAME}")
 private String FTP_USERNAME;
 @Value("${FTP_PASSWORD}")
 private String FTP_PASSWORD;
 @Value("${FTP_BASE_PATH}")
 private String FTP_BASE_PATH;
 @Value("${IMAGE_BASE_URL}")
 private String IMAGE_BASE_URL;
 /**
 * Upload image * @param inputStream input stream * @param name file name * @return image url
 * @throws IOException IO exception */
 public String uploadImage(InputStream inputStream, String name) throws IOException {
 FTPClient ftpClient = new FTPClient();
 try {
  System.out.println(FTP_ADDRESS);
  ftpClient.enterLocalPassiveMode();
  ftpClient.connect(FTP_ADDRESS, FTP_PORT);
  ftpClient.login(FTP_USERNAME, FTP_PASSWORD);
  ftpClient.changeWorkingDirectory(FTP_BASE_PATH);
  ftpClient.setFileType(FTP.BINARY_FILE_TYPE);
  boolean isSucceed = ftpClient.storeFile(name, inputStream);
  if (isSucceed){
  return IMAGE_BASE_URL + name;
  }
 }catch (Exception e){
  e.printStackTrace();
 }finally {
  ftpClient.logout();
 }
 return IMAGE_BASE_URL + "error";
 }
}

Then in the Service processing logic, only part of the code is shown here

@Autowired
 private FtpUtil ftpUtil;

 @Override
 public int insertImg(MultipartFile file) throws IOException {
 /*
 1. Get the uploaded file stream inputStream and file name getOriginalFilename
 2. Call the function in FtpUtil to upload the image to the image server and return the https address 3. If the image address is returned, insert it into the database */
 InputStream inputStream = file.getInputStream();
 String filename = file.getOriginalFilename();
 String picUrl = ftpUtil.uploadImage(inputStream, filename);
 }

That’s it. When the client requests it in the future, it will be transferred to the server via FTP, and then the address will be saved in the database. As long as the front end obtains the image URL, it will be displayed.

Summarize

This is the end of this article about building an Nginx image server with Docker. For more information about building an Nginx image server with Docker, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Detailed explanation of the processing of the three Docker Nginx Logs
  • Docker Nginx container and Tomcat container to achieve load balancing and dynamic and static separation operations
  • Docker deploys nginx and mounts folders and file operations
  • Docker nginx implements one host to deploy multiple sites
  • Docker deployment nginx implementation process graphic and text detailed explanation
  • How to deploy Vue project using Docker image + nginx
  • Methods and steps to build nginx file server based on docker
  • Docker Nginx container production and deployment implementation method

<<:  Vue2.x responsiveness simple explanation and examples

>>:  Detailed explanation of MySQL Explain

Blog    

Recommend

CSS position fixed left and right double positioning implementation code

CSS Position The position attribute specifies the...

Border-radius IE8 compatible processing method

According to canisue (http://caniuse.com/#search=...

Solution to the problem of mysql service starting but not connecting

The mysql service is started, but the connection ...

VMware workstation 12 install Ubuntu 14.04 (64 bit)

1. Installation Environment Computer model: Lenov...

Detailed explanation of SELINUX working principle

1. Introduction The main value that SELinux bring...

JavaScript to achieve floor effect

This article shares the specific code of JavaScri...

Detailed explanation of the use of umask under Linux

I recently started learning Linux. After reading ...

WeChat applet implements search box function

This article example shares the specific code for...

Building FastDFS file system in Docker (multi-image tutorial)

Table of contents About FastDFS 1. Search for ima...

Comparative Analysis of High Availability Solutions of Oracle and MySQL

Regarding the high availability solutions for Ora...

Detailed explanation of VUE Token's invalidation process

Table of contents Target Thought Analysis Code la...