使用 nginx 删除 URL 末尾的斜杠

使用 nginx 删除 URL 末尾的斜杠

我希望我的网站上的以下 URL 是等效的:

/foo/bar
/foo/bar/
/foo/bar/index.html

此外,我希望后两种形式向第一种形式发出 HTTP 301 重定向。我只是提供静态页面,它们是按照第三种形式排列的。(换句话说,当用户请求时,/foo/bar他们应该在 处收到文件/usr/share/.../foo/bar/index.html)。

我的nginx.conf当前内容如下:

rewrite ^(.+)/$ $1 permanent;
index index.html;
try_files $uri $uri/index.html =404;

这对于 的请求有效/foo/bar/index.html,但当我请求/foo/bar/foo/bar/Safari 告诉我“发生了太多重定向”时——我假设存在无限重定向循环或类似情况。我怎样才能让 nginx 按照我描述的方式将 URL 映射到文件?

编辑:我的完整配置

这是我的整个内容nginx.conf,其中我的域名被替换为“example.com”。

user www-data;
worker_processes 1;
pid /run/nginx.pid;

events {
  worker_connections 768;
}

http {
  sendfile on;
  tcp_nopush on;
  tcp_nodelay on;
  keepalive_timeout 65;
  types_hash_max_size 2048;
  server_tokens off;

  server_names_hash_bucket_size 64;

  include /etc/nginx/mime.types;
  default_type application/octet-stream;

  access_log /var/log/nginx/access.log;
  error_log /var/log/nginx/error.log;

  gzip on;
  gzip_disable "msie6";
  gzip_vary on;
  gzip_proxied any;
  gzip_comp_level 6;
  gzip_buffers 16 8k;
  gzip_http_version 1.1;
  gzip_types text/plain text/css application/json application/x-javascript text/xml application/xml application/xml+rss application/atom+xml text/javascript image/svg+xml;

  server {
    server_name www.example.com;
    listen 80;
    return 301 $scheme://example.com$request_uri;
  }

  server {
    server_name example.com 123.45.67.89 localhost;
    listen 80 default_server;

    # Redirect /foobar/ to /foobar
    rewrite ^(.+)/$ $1 permanent;

    root /usr/share/nginx/www/example.com;
    index index.html;
    try_files $uri $uri/index.html =404;

    error_page 404 /404.html;
    error_page 500 502 503 504 /50x.html;

    location = /50x.html {
      root /usr/share/nginx/html;
    }
  }
}

答案1

在你的块上使用这个正则表达式server

rewrite ^/(.*)/$ /$1 permanent;

会将所有尾随斜杠的 URL 重定向到相应的非尾随斜杠。

答案2

切勿使用重写:

  location ~ (?<no_slash>.*)/$ {
       return 301 $scheme://$host$no_slash;
  }

答案3

server通过将其用作我的配置中的最后一个块,我可以获得我想要的行为:

server {
  server_name example.com 123.45.67.89 localhost;
  listen 80 default_server;

  # Redirect /foobar/ and /foobar/index.html to /foobar
  rewrite ^(.+)/+$ $1 permanent;
  rewrite ^(.+)/index.html$ $1 permanent;

  root /usr/share/nginx/www/example.com;
  index index.html;
  try_files $uri $uri/index.html =404;

  error_page 404 /404.html;
  error_page 500 502 503 504 /50x.html;

  location = /50x.html {
    root /usr/share/nginx/html;
  }
}

答案4

if ($request_uri ~ (.*?\/)(\/+)$ ) {
return 301 $scheme://$host$1;
}

此规则将处理任意数量的尾部斜杠并保留 URL。它还将处理基本 URL 尾部斜杠

相关内容