在Wordpress中自定义重写规则

时间:2010-07-01 00:15:27

标签: wordpress mod-rewrite rewrite

我在内部wordpress重写规则方面遇到了麻烦。 我已经读过这个帖子,但我仍然无法得到任何结果:wp_rewrite in a WordPress Plugin

我解释了我的情况:

1)我有一个名为'myplugin_template.php'的page_template与一个名为“mypage”的wordpress页面相关联。

<?php
get_header();
switch ($_GET['action']) {
  case = "show" {
  echo $_GET['say'];
  }
}
get_footer();
?>

2)我需要为此链接创建重写规则:

  

http://myblog/index.php?pagename=mypage&action=show&say=hello_world

如果我使用这个URL,所有的东西都可以正常运行,但我想实现这个结果:

http://myblog/mypage/say/hello_world/

我真的不想破解我的.htaccess文件,但我不知道如何使用内部wordpress重写器来执行此操作。

1 个答案:

答案 0 :(得分:7)

您需要添加自己的重写规则和查询变量 - 在functions.php中弹出此内容;

function my_rewrite_rules($rules)
{
    global $wp_rewrite;

    // the slug of the page to handle these rules
    $my_page = 'mypage';

    // the key is a regular expression
    // the value maps matches into a query string
    $my_rule = array(
        'mypage/(.+)/(.+)/?' => 'index.php?pagename=' . $my_page . '&my_action=$matches[1]&my_show=$matches[2]'
    );

    return array_merge($my_rule, $rules);
}
add_filter('page_rewrite_rules', 'my_rewrite_rules');


function my_query_vars($vars)
{
    // these values should match those in the rewrite rule query string above
    // I recommend using something more unique than 'action' and 'show', as you
    // could collide with other plugins or WordPress core
    $my_vars = array(
        'my_action',
        'my_show'
    );

    return array_merge($my_vars, $vars);
}
add_filter('query_vars', 'my_query_vars');

现在在您的网页模板中,将$_GET[$var]替换为get_query_var($var),如此;

<?php
get_header();
switch (get_query_var('my_action')) {
    case = "show" {
        echo esc_html(get_query_var('my_say')); // escape!
    }
}
get_footer();
?>
相关问题