Nginx配置文件通常位于/etc/nginx/nginx.conf/usr/local/nginx/conf/nginx.conf,其结构主要包括以下几个部分:

  1. 全局块:配置影响Nginx全局的指令,如用户、工作进程数、错误日志等。

    user  nginx;
    worker_processes  auto;
    error_log  /var/log/nginx/error.log warn;
    pid        /var/run/nginx.pid;
  2. events块:配置影响Nginx服务器与客户端网络连接的指令。

    events {
        worker_connections  1024;
    }
  3. http块:配置HTTP服务器的主要部分,包括多个server块。

    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;
        keepalive_timeout  65;
    
        include /etc/nginx/conf.d/*.conf;
    }
  4. server块:配置虚拟主机的相关参数,一个http块可以包含多个server块。

    server {
        listen       80;
        server_name  example.com;
    
        location / {
            root   /usr/share/nginx/html;
            index  index.html index.htm;
        }
    
        error_page   500 502 503 504  /50x.html;
        location = /50x.html {
            root   /usr/share/nginx/html;
        }
    }
  5. location块:配置请求的路由,处理特定URL的请求。

    location /images/ {
        root /data;
    }
    
    location ~ \.php$ {
        fastcgi_pass   127.0.0.1:9000;
        fastcgi_index  index.php;
        include        fastcgi_params;
    }

案例:一个简单的Nginx配置文件示例,用于托管一个静态网站。

user  nginx;
worker_processes  auto;

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;
    keepalive_timeout  65;

    server {
        listen       80;
        server_name  example.com;

        location / {
            root   /usr/share/nginx/html;
            index  index.html index.htm;
        }

        error_page   500 502 503 504  /50x.html;
        location = /50x.html {
            root   /usr/share/nginx/html;
        }
    }
}

这个配置文件定义了一个Nginx服务器,监听80端口,托管位于/usr/share/nginx/html目录下的静态网站文件。如果访问example.com,Nginx会返回index.htmlindex.htm文件。如果发生500、502、503或504错误,Nginx会返回50x.html文件。

本篇文章内容来源于:Nginx配置文件详细说明以及案例