5

我打算在主目录中添加最多 10 个 .htaccess 重写 url 代码会影响我网站的执行(网站的加载时间)吗?

我当前的 .htaccess 文件是

Options +FollowSymLinks
RewriteEngine On
RewriteRule ^([0-9]+)/([0-9]+)/([^.]+).html index.php?perma=$3
RewriteRule ^movies/([^.]+).html gallery.php?movie=$1
RewriteRule ^album/([^.]+).html gallery.php?album=$1
RewriteRule ^img/([^.]+)/([^.]+).html gallery.php?img=$2
RewriteRule ^movies.html gallery.php
4

4 回答 4

2

使用 apache mod_rewrite 时,您可能需要查看重写规则顺序对性能的影响,就像@diolemo 评论的那样,对于 20 条重写规则,它并不明显。

于 2013-02-08T07:09:54.703 回答
2

是的,它会影响加载时间。您拥有的规则/例外越多,渲染所需的时间就越长。但是:我们谈论的是人眼甚至不会注意到的微秒/毫秒。

于 2013-02-08T07:58:38.790 回答
2

10 条规则不是问题,但供将来参考:通常的方法是将所有内容重定向到单个入口点,并让应用程序进行路由。一个简单的例子:

.htaccess

RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule .* index.php [L,QSA]

索引.php

$query = $_SERVER['REQUEST_URI'];
$queryParts = explode('/', $query);
switch($queryParts[0]) {
    case 'movies':
        // ...
        break;
    case 'album':
        // ...
        break;
    case 'img':
        // ...
        break;
    // ...
    default:
        // 404 not found
}

这些RewriteCond条件确保不会重写对现有文件的请求。QSA 是可选的,它的意思是“附加查询字符串”,例如movies.html?sort=title被重写为index.php?sort=title. 原始请求 URI 在$_SERVER['REQUEST_URI'].

如果您的应用程序是面向对象的,那么您会对前端控制器模式感兴趣。所有主要的 PHP 框架都以某种方式使用它,这可能有助于查看它们的实现。

如果没有,像Silex这样的微框架可以为您完成这项工作。在 Silex 中,您的路由可能如下所示:

索引.php

require_once __DIR__.'/../vendor/autoload.php';

$app = new Silex\Application();

$app->get('/{year}/{month}/{slug}', function ($year, $month, $slug) use ($app) {
    return include 'article.php';
});
$app->get('/movies/{movie}.html', function ($movie) use ($app) {
    return include 'gallery.php';
});
$app->get('/album/{album}.html', function ($album) use ($app) {
    return include 'gallery.php';
});
$app->get('/img/{parent}/{img}.html', function ($parent, $img) use ($app) {
    return include 'gallery.php';
});
$app->get('/movies.html', function () use ($app) {
    return include 'gallery.php';
});

$app->run();

gallery.php并且article.php必须返回他们的输出。如果您替换$_GET['var']$var并添加输出缓冲,您可能可以使用此 index.php 重用现有脚本:

画廊.php

ob_start();
// ...
return ob_get_clean();
于 2013-02-08T08:31:08.103 回答
1

下载网页所需的大部分时间来自于检索 HTML、CSS、JavaScript 和图像。重写 URL 的时间可以忽略不计。

通常,图像是加载时间缓慢的最大原因。像 Pingdom 这样的工具可以帮助您了解各种组件的加载时间。

http://tools.pingdom.com/fpt/

HTH。

于 2013-02-08T07:50:39.703 回答