Wordpress#创建产品链接

时间:2017-05-31 19:15:39

标签: php wordpress woocommerce hook-woocommerce wordpress-hook

我正在使用wordpress重做客户网站。他们以前从头开始编写网站的开发人员用一个哈希/英镑符号制作了产品sku / product id'#'在管理部分中产品的文本编辑中的sku /产品ID编号前面将创建指向现有产品的链接。我想知道什么语言和代码可能是什么样子,所以我可以成功地做同样的事情。我已经在WooCommerce中创建了使用SKU /产品ID的所有产品的统一短链接。

Ex:#7512D 会创建如下链接;

<a href="bioquip.com/search/dispproduct.asp?pid=7512D">7512D</a>

1 个答案:

答案 0 :(得分:2)

这应该作为一个插件来完成,以保持主题独立,它只需要过滤帖子(或页面)的“内容”。这是使用WooCommerce的一个工作示例。它使用您在帖子中提到的相同设计(#XXXXXX),但我建议您找到除“#”之外的其他内容作为匹配的开头。这将匹配&#8217;格式的所有HTML编码字符。虽然SKU查找确保您没有错误匹配,但这意味着将会有比查询更多的查询。

<?php

/*
Plugin Name: Replace SKU with Link
Description: Plugin to replace a formatted SKU (#XXXXXX) with the link to that product
Version: 1.0
*/

defined( 'ABSPATH' ) or die( 'No direct access!' );

class SkuReplace {

    /*
    * On __construct, we will initialize the filter for the content
    */
    function __construct()
    {
        add_filter( 'the_content', array( $this, 'replace_sku_with_link' ) );
    }

    /**
    * The filter hook get processed here
    *
    * @return string the filtered content
    */
    function replace_sku_with_link( $content )
    {

        // Check if we're inside the main loop in a single post page.
        if ( ( is_single() || is_page() ) && in_the_loop() && is_main_query() )
        {
            // Use the callback to check to see if this product exists in the DB
            $content = preg_replace_callback(
                '/\#[^\s\<]*/',
                array( $this, 'get_product_url' ),
                $content
            );
        }

        return $content;
    }

    /**
    * The match is checked against the product entries to verify that it exists
    * If it does, it will create the hyperlink and return it, else, it returns
    * the original string so as not to break the content
    *
    * @return string URL or original string
    */
    function get_product_url( $in )
    {
        global $wpdb;

        $sku = ltrim( rtrim( $in[0], " \t\r\n" ), '#');

        $product_id = $wpdb->get_var(
            $wpdb->prepare(
                "SELECT post_id FROM $wpdb->postmeta WHERE meta_key='_sku' AND meta_value='%s' LIMIT 1",
                $sku
            )
        );

        if( $product_id )
        {
            $product = new WC_Product( $product_id );

            $url = get_permalink( $product_id ) ;

            return '<a href="'. $url .'">'. $product->get_name() .'</a>';
        }

        return $in[0];
    }

} // end class

$plugin_name = new SkuReplace();