使用wordpress搜索网站内容,只会把关键词与文章标题或内容匹配搜索,这一点用户体验不是很好,如果有这么个需求,产品类型的文章,使用了自定义字段添加产品编号,而用户想通过产品编号搜索产品,是搜索不出结果的,原因是wordpress只会搜索posts数据表,而自定义字段数据是保存在postmeta数据表。
那么是否可以让WordPress搜索功能支持自定义字段匹配,显然是可以的,通过修改搜索查询的sql代码,把postmeta数据表关联进去就可以实现,下面是实现的代码
1、链接查询
作用:修改搜索查询的sql代码,将postmeta表左链接进去。
1 2 3 4 5 6 7 8 9 10 11 12 13 | /** * Join posts and postmeta tables * * http://codex.wordpress.org/Plugin_API/Filter_Reference/posts_join */ function cf_search_join( $join ) { global $wpdb; if ( is_search() ) { $join .=' LEFT JOIN '.$wpdb->postmeta. ' ON '. $wpdb->posts . '.ID = ' . $wpdb->postmeta . '.post_id '; } return $join; } add_filter('posts_join', 'cf_search_join' ); |
2、查询代码
作用:在wordpress查询代码中加入自定义字段值的查询。
1 2 3 4 5 6 7 8 9 10 11 12 13 | /** * Modify the search query with posts_where * * http://codex.wordpress.org/Plugin_API/Filter_Reference/posts_where */ function cf_search_where( $where ) { global $pagenow, $wpdb; if ( is_search() ) { $where = preg_replace("/\(\s*".$wpdb->posts.".post_title\s+LIKE\s*(\'[^\']+\')\s*\)/", "(".$wpdb->posts.".post_title LIKE $1) OR (".$wpdb->postmeta.".meta_value LIKE $1)", $where ); } return $where; } add_filter( 'posts_where', 'cf_search_where' ); |
3、去重
作用:搜索结果很有可能有重复的,所以需要去重,很简单,在sql语句中加入DISTINCT关键字。
1 2 3 4 5 6 7 8 9 10 11 12 13 | /** * Prevent duplicates * * http://codex.wordpress.org/Plugin_API/Filter_Reference/posts_distinct */ function cf_search_distinct( $where ) { global $wpdb; if ( is_search() ) { return "DISTINCT"; } return $where; } add_filter( 'posts_distinct', 'cf_search_distinct' ); |
使用方法:
把上面的代码一起添加到当前主题的functions.php文件即可。
PS:以上代码博客吧没有测试,仅供参考!
教程原地址:http://www.ashuwp.com/courses/supplement/821.html