web-dev-qa-db-ja.com

ApacheでRewriteCondに「AND」、「OR」を使用する方法

これは、ApacheのRewriteCondにAND ORを使用する方法ですか?

_rewritecond A [or]
rewritecond B
rewritecond C [or]
rewritecond D
RewriteRule ... something
_

if ( (A or B) and (C or D) ) rewrite_itになります。

「OR」は「AND」よりも優先順位が高いようです。 _(A or B) and (C or D)_構文のように、簡単に伝える方法はありますか?

105

これは興味深い質問であり、ドキュメントではあまり明確に説明されていないため、 mod_rewriteのソースコード ; open-sourceの大きなメリットを示す。

上部のセクションでは、すぐに これらのフラグに名前を付けるために使用される定義 を見つけることができます。

_#define CONDFLAG_NONE               1<<0
#define CONDFLAG_NOCASE             1<<1
#define CONDFLAG_NOTMATCH           1<<2
#define CONDFLAG_ORNEXT             1<<3
#define CONDFLAG_NOVARY             1<<4
_

cONDFLAG_ORNEXTを検索すると、使用されていることが確認されます [OR]フラグの存在に基づいて

_else if (   strcasecmp(key, "ornext") == 0
         || strcasecmp(key, "OR") == 0    ) {
    cfg->flags |= CONDFLAG_ORNEXT;
}
_

次のフラグの出現箇所は 実際の実装 です。RewriteRuleが持つすべてのRewriteConditionsを通過するループがあり、基本的には何が行われますか(明確にするためにコメントが追加されています)。

_# loop through all Conditions that precede this Rule
for (i = 0; i < rewriteconds->nelts; ++i) {
    rewritecond_entry *c = &conds[i];

    # execute the current Condition, see if it matches
    rc = apply_rewrite_cond(c, ctx);

    # does this Condition have an 'OR' flag?
    if (c->flags & CONDFLAG_ORNEXT) {
        if (!rc) {
            /* One condition is false, but another can be still true. */
            continue;
        }
        else {
            /* skip the rest of the chained OR conditions */
            while (   i < rewriteconds->nelts
                   && c->flags & CONDFLAG_ORNEXT) {
                c = &conds[++i];
            }
        }
    }
    else if (!rc) {
        return 0;
    }
}
_

これを解釈できるはずです。つまり、ORの優先順位が高く、実際の例ではif ( (A OR B) AND (C OR D) )になります。たとえば、次の条件がある場合:

_RewriteCond A [or]
RewriteCond B [or]
RewriteCond C
RewriteCond D
_

if ( (A OR B OR C) and D )として解釈されます。

106
Sjon