1

我正在开发一个 WordPress 插件,它使用 Contact Form 7 wpcf7_before_send_mail 操作挂钩来获取在 CF7 中输入的电子邮件,如果用户选中一个复选框,则将其传递给 MailChimp 和 FeedBurner。

MailChimp 部分正在工作,因为我能够使用 API 来传递订阅。然而,根据我的研究,订阅 FeedBurner 的唯一方法似乎是使用他们的表单,这对于我开发了几个月的这个插件的简单版本来说效果很好,但是似乎每当我回显任何东西(比如隐藏form) 通过 wpcf7_before_send_mail 钩子,它会杀死 CF7。以下是我的代码的相关部分:

add_action( 'wpcf7_before_send_mail', 'before_send_mail' );
function before_send_mail($wpcf7) {
    if (is_array($wpcf7->posted_data["subscribe"])){
    $subscribe_news = in_array ('Newsletter',$wpcf7->posted_data["subscribe"]);
    $subscribe_blog = in_array ('Blog',$wpcf7->posted_data["subscribe"]);
    }
    $subscribe_email = $wpcf7->posted_data["your-email"];  
    $subscribe_email = $wpcf7->posted_data["your-email"];       
    if($subscribe_news){ ktmcf7_submit_mailchimp($subscribe_email); }
    if($subscribe_blog){ ktmcf7_submit_feedburner($subscribe_email); }    
    }
function ktmcf7_submit_feedburner($subscribe_email){
    $options = get_option( 'ktm_singlesub_options' );
    ?>
    <script>
        alert('feedburner');
        window.open('http://feedburner.google.com/fb/a/mailverify?uri=<?php echo $options['feedburner_id'] ?>', 'popup5', 'scrollbars=yes,width=550,height=520');
    </script>
    <form name="form2" action="http://feedburner.google.com/fb/a/mailverify" method="post" target="popup5" >
        <input type="hidden" name="email" value="<?php echo $subscribe_email ?>" />
        <input type="hidden" value="<?php echo $options['feedburner_id'] ?>" name="uri"/>
        <input type="hidden" name="loc" value="en_US"/>
        <!-- input type="submit" value="Subscribe2" style="visibility:hidden;height:5px;" / -->
    </form>
    <script>
        document.form2.submit();
    </script>

再次,我尝试了几种不同的方式从这个钩子输出到浏览器(回声,var_dump等,每次箭头都无限旋转。我该如何解决这个问题?有没有另一种方式来提交订阅Feedburner除了使用表单。有网站说API不再可用,但有秘密后门吗?

谢谢。

4

1 回答 1

1

理论上,您不想输出表单,您想使用用于发布 HTTP POST 的 wp_ 函数使用 HTTP 帖子将表单变量提交到 FeedBurner 端点。

wpcf7_before_send_mail以下代码实现了一个 WordPress 插件,它将从 Contact Form 7 的事件处理程序发出 HTTP POST :

function wpcf7_do_something (&$WPCF7_ContactForm) {
    $url = 'http://your-end-point';
    $email = $WPCF7_ContactForm->posted_data['email'];    
    $post_data = array(
         'email' => urlencode($email),
         'feedburner_id' => urlencode($feedburner_id));

    $result = wp_remote_post( $url, array( 'body' => $post_data ) );
}

add_action("wpcf7_before_send_mail", "wpcf7_do_something");

上面的代码像宣传的那样工作,但请记住,您可能还需要处理 CSRF 令牌。https://en.wikipedia.org/wiki/Cross-site_request_forgery

于 2014-05-27T17:39:55.963 回答